row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
2,207
Assignment 3 In this assignment we will be practicing conditional rendering and lifting state up! Step 0 - Setup​ Create a Next.js using our starter code with the following command: yarn create next-app --typescript --example "https://github.com/cornell-dti/trends-sp23-a3" YOUR_PROJECT_NAME if that command doesn't work, try npx create-next-app --typescript --example "https://github.com/cornell-dti/trends-sp23-a3" YOUR_PROJECT_NAME Step 1 - Hit The Ground Running​ As with A2, run yarn dev in the project directory to start the server and navigate to localhost:3000 to see what the starter code gives you. Here are the important files you'll be working with: React Components components/game/Game.tsx This is where our game state will live and be passed down from! Splits the UI into two sections, each of which is its own React component components/game/ClickerSection.tsx Displays the number of BRBs you have, as well as other stats Has a button that should give you BRBs when clicked components/game/UpgradesSection.tsx Displays a list of upgrades using the UpgradeDisplay component Fairly simple - is just a wrapper around the upgrade list components/game/UpgradeDisplay.tsx Displays stats of a particular upgrade (purchased count, price, etc) Has a button that should buy the upgrade when clicked Other Files data/index.ts Where all your GAME DATA 🤑 is Make sure to add at least one more upgrade to your game types/index.ts Just has one type: Upgrade No need to change in this assignment As always, make sure to fill in all the TODOs before submitting! Step 2 - Dealing with Lifted State​ In A2, we had the whole game all in one component. But now it's in pieces 😭 Here is a UML diagram that captures how the starter code is set up: component diagram Game.tsx has all the lifted state, but it needs to be passed down! The starter code is not complete, which means that your first task is to pass down the props that the other components need. Here are all the additional props that need to be passed down: ClickerSection brbs setBRBs UpgradesSection setBRBs upgradeCounts setUpgradeCounts UpgradeDisplay setBRBs upgradeCounts setUpgradeCounts Remember that adding a required prop is a TWO-FOLD process: In the (child) "receiving component", add it to the Props type In all (parent) "giving components", supply the prop in JSX (<Component />) FAQ for Step 2​ What is the type of "setter" functions like setBRBs and setUpgradeCounts?​ Best way to check a type is by hovering over the variable in your IDE! If you hover over setBRBs, you will see Dispatch<SetStateAction<number>> You will find that the type for the setter function for useState<T> will be Dispatch<SetStateAction<T>> for some type T representing the state. Should I always be passing down the state variable/setter function directly to child components?​ You don't have to! We do it in most cases in this assignment for simplicity. However, you can see that clickIncome and tickIncome is passed down to ClickerSection as props. Since those two values are just a function of upgradeCounts (covered in Step 3), you can pass down upgradeCounts as a prop instead, and do all the calculation in ClickerSection instead of Game. However(ever), in our assignment we calculate tickIncome in Game instead of ClickerSection because the tick logic is in Game and relies on the value of tickIncome. TL;DR - Props do not have to mirror state in parent components, you should aim to design them in most understandable/practical way! Why do the Props types have the readonly thing?​ We like to add the readonly keyword to attributes in Props types to remind ourselves that props are passed down and cannot be directly modified. If we try to do so, we will be warned by TypeScript b/c we have specified it to be readonly. This is an optional code style thing but we like it :)
2a0a92711cd657c80012e0ec809820e9
{ "intermediate": 0.35102593898773193, "beginner": 0.36777040362358093, "expert": 0.28120356798171997 }
2,208
in the script below, we monitor the clipboard for any changes and then automatically send any text copied into clipboard towards gpt to get translated, and the script also create a window with two paned_window to show both the untranslated text and the translated text. i want you to add another paned_window that we can use to edit the prompt = f"Translate the following text:{text_to_translate}". import time import pyperclip import openai import json import tkinter as tk import threading from tkinter import font, Menu from tkinter import font # Set your OpenAI API key and base openai.api_base = "" openai.api_key = "" # Toggleable features KEEP_LOGS = False # Initialize dictionary to store translated texts translated_dict = {} # Define JSON file to store translations jsonfile = "translations.json" # Load existing translations from JSON file try: with open(jsonfile, "r", encoding="utf-8") as f: translated_dict = json.load(f) except FileNotFoundError: pass def translate_text(text_to_translate): prompt = f"Translate the following text:{text_to_translate}" try: completion = openai.ChatCompletion.create( model="gpt-3.5", temperature=1, messages=[ { "role": "user", "content": f"{prompt}", } ], ) translated_text = ( completion["choices"][0] .get("message") .get("content") .encode("utf8") .decode() ) except Exception as e: print(e, "Connection Error") return translated_text def update_display(display, text): display.delete(1.0, tk.END) display.insert(tk.END, text) def retranslate(): untranslated_text = untranslated_textbox.get(1.0, tk.END).strip() if untranslated_text: pyperclip.copy(untranslated_text) def clipboard_monitor(): old_clipboard = "" while True: new_clipboard = pyperclip.paste() # Remove line breaks from new_clipboard # new_clipboard = new_clipboard.replace('\n', '').replace('\r', '') # Compare new_clipboard with old_clipboard to detect changes if new_clipboard != old_clipboard: old_clipboard = new_clipboard if new_clipboard in translated_dict: translated_text = translated_dict[new_clipboard] else: try: translated_text = translate_text(new_clipboard) except Exception as e: print(e, "Connection Error. Retrying in 5 seconds...") time.sleep(5) continue translated_dict[new_clipboard] = translated_text if KEEP_LOGS: with open(jsonfile, "w", encoding="utf-8") as f: json.dump(translated_dict, f, ensure_ascii=False, indent=4) update_display(untranslated_textbox, new_clipboard) update_display(translated_textbox, translated_text) time.sleep(1) def toggle_translated(): current_bg = translated_textbox.cget("background") if current_bg == "black": translated_textbox.configure(background="white") translated_textbox.delete(1.0, tk.END) translated_textbox.insert(tk.END, translated_dict[untranslated_textbox.get(1.0, tk.END).strip()]) else: translated_textbox.configure(background="black") translated_textbox.delete(1.0, tk.END) def set_always_on_top(): root.attributes("-topmost", always_on_top_var.get()) def increase_opacity(): opacity = root.attributes("-alpha") opacity = min(opacity + 0.1, 1.0) root.attributes("-alpha", opacity) def decrease_opacity(): opacity = root.attributes("-alpha") opacity = max(opacity - 0.1, 0.1) root.attributes("-alpha", opacity) def font_window(): global current_font current_font = { "family": font.Font(font=untranslated_textbox["font"]).actual("family"), "size": font.Font(font=untranslated_textbox["font"]).actual("size"), "color": untranslated_textbox.cget("foreground") } font_window = tk.Toplevel() font_window.title("Font Settings") font_window.geometry("150x150") font_family = tk.StringVar() font_family_label = tk.Label(font_window, text="Font Family") font_family_label.pack() font_family_entry = tk.Entry(font_window, textvariable=font_family) font_family_entry.insert(0, current_font["family"]) font_family_entry.pack() font_size = tk.StringVar() font_size_label = tk.Label(font_window, text="Font Size") font_size_label.pack() font_size_entry = tk.Entry(font_window, textvariable=font_size) font_size_entry.insert(0, current_font["size"]) font_size_entry.pack() font_color = tk.StringVar() font_color_label = tk.Label(font_window, text="Font Color") font_color_label.pack() font_color_entry = tk.Entry(font_window, textvariable=font_color) font_color_entry.insert(0, current_font["color"]) font_color_entry.pack() def apply_changes(): new_font_family = font_family.get() or current_font["family"] new_font_size = font_size.get() or current_font["size"] new_font_color = font_color.get() or current_font["color"] current_font = {"family": new_font_family, "size": new_font_size, "color": new_font_color} untranslated_textbox.configure(font=(current_font["family"], current_font["size"]), fg=current_font["color"]) translated_textbox.configure(font=(current_font["family"], current_font["size"]), fg=current_font["color"]) font_window.destroy() apply_button = tk.Button(font_window, text="Apply", command=apply_changes) apply_button.pack() cancel_button = tk.Button(font_window, text="Cancel", command=font_window.destroy) cancel_button.pack() root = tk.Tk() root.title("Clipboard Translator") root.geometry("400x200") menu_bar = Menu(root) # Add Options menu options_menu = Menu(menu_bar, tearoff=0) menu_bar.add_cascade(label="Options", menu=options_menu) # Add Always on top option to Options menu always_on_top_var = tk.BooleanVar(value=False) options_menu.add_checkbutton(label="Always on top", variable=always_on_top_var, command=set_always_on_top) # Add Increase opacity option to Options menu options_menu.add_command(label="Increase opacity", command=increase_opacity) # Add Decrease opacity option to Options menu options_menu.add_command(label="Decrease opacity", command=decrease_opacity) # Add Font option to Options menu options_menu.add_command(label="Font", command=font_window) root.config(menu=menu_bar) paned_window = tk.PanedWindow(root, sashrelief="groove", sashwidth=5, orient="horizontal") paned_window.pack(expand=True, fill="both") untranslated_textbox = tk.Text(paned_window, wrap="word") paned_window.add(untranslated_textbox) translated_textbox = tk.Text(paned_window, wrap="word") paned_window.add(translated_textbox) retranslate_button = tk.Button(root, text="Retranslate", command=retranslate) retranslate_button.place(relx=0, rely=1, anchor="sw") toggle_button = tk.Button(root, text="Hide", command=toggle_translated) toggle_button.place(relx=1, rely=1, anchor="se") if __name__ == "__main__": print("Starting Clipboard Translator…\n") clipboard_monitor_thread = threading.Thread(target=clipboard_monitor) clipboard_monitor_thread.start() root.mainloop()
aa28d5040756be8f596ef2a4fa7eb827
{ "intermediate": 0.4073644280433655, "beginner": 0.3635205030441284, "expert": 0.2291150689125061 }
2,209
intruduce yum and apt in chinese.
bd04eec0e55ac254a9d4980713924da5
{ "intermediate": 0.2813844084739685, "beginner": 0.1181173175573349, "expert": 0.6004983186721802 }
2,210
[ sg.Column([ [sg.Frame(“Original”, [[sg.Button(“+”, key=“select_image1”), sg.Image(filename=“”, key=“image1”, visible=False)]], size=(400, 200), element_justification=“left”)], [sg.Frame(“Mask”, [[sg.Button(“+”, key=“select_image2”), sg.Image(filename=“”, key=“image2”, visible=False)]], size=(400, 200), element_justification=“left”)], ]), sg.Frame(“Output”, [[sg.Button(“+”, key=“select_image3”), sg.Image(filename=“”, key=“image3”, visible=False)]], size=(400, 400), element_justification=“right”), ], 如何让图片根据上面设定好的大小进行自动缩放显示
73679ce4d48822b9119018d251dd5951
{ "intermediate": 0.34726840257644653, "beginner": 0.3056330680847168, "expert": 0.34709855914115906 }
2,211
How can I add simple AI animals to a unity mobile game?
1379102631df97af254058dadca2390e
{ "intermediate": 0.2186008095741272, "beginner": 0.11150089651346207, "expert": 0.669898271560669 }
2,212
cmake insall command to build my target.exe to a dir
6ef32a6f7364f2226e4cb9f0527ac7e9
{ "intermediate": 0.36697813868522644, "beginner": 0.2551029622554779, "expert": 0.3779188394546509 }
2,213
ArcGIS Pro SDK 调用Application?.Shutdown()抛出 NullReferenceException
d58017b0f672026ecb1b4b202cb2084f
{ "intermediate": 0.7379990220069885, "beginner": 0.1531720757484436, "expert": 0.10882890224456787 }
2,214
tell me the difference between dpkg and apt-get
707b99a1202fb165487f882f6780e091
{ "intermediate": 0.44961661100387573, "beginner": 0.27415338158607483, "expert": 0.2762300670146942 }
2,215
How does rank preserving structural failure time model (RPSFTM) model handle the treatment switch in an oncology trial? Please explain in a plain language first, then explain in details with simulated example in R software.
d5c66aa4096af1cd7fce8bec25aafe9d
{ "intermediate": 0.12810131907463074, "beginner": 0.07620556652545929, "expert": 0.7956931591033936 }
2,216
img_filename = window["image1"].filename AttributeError: 'Image' object has no attribute 'filename'
d2caae5665ff81a36301158021ce94e1
{ "intermediate": 0.45728710293769836, "beginner": 0.24479267001152039, "expert": 0.29792025685310364 }
2,217
Python code to print hello world
0143bd43590f07daf85a99dbe7950048
{ "intermediate": 0.4022977352142334, "beginner": 0.2603110074996948, "expert": 0.33739128708839417 }
2,218
int() arguement must be a string or a number, not 'dict'
8e6280de793af730951303ed8d1b5af5
{ "intermediate": 0.36727288365364075, "beginner": 0.43098780512809753, "expert": 0.2017393261194229 }
2,219
window["image3"].update(data=out_img,visible=True) File "/Library/Frameworks/Python.framework/Versions/3.9/lib/python3.9/site-packages/PySimpleGUI/PySimpleGUI.py", line 5547, in update width, height = size[0] if size[0] is not None else image.width(), size[1] if size[1] is not None else image.height() AttributeError: 'numpy.ndarray' object has no attribute 'width'
28d99da84938281e29a1bf31134cd060
{ "intermediate": 0.5261877775192261, "beginner": 0.25121358036994934, "expert": 0.2225985825061798 }
2,220
hi there, i want to do swarming for 2 drones, one is master with system id 3 and one is follower with system id 2, both of them are connected with the sametelemertry. i have implemented multiple waypoints for one drone, but now i want to do for 2 drone with swarming. here is the code from pymavlink import mavutil import time # Define a list of waypoints as (latitude, longitude, altitude) tuples waypoints = [ (28.5861474, 77.3421320, 10), (28.5859040, 77.3420736, 10) ] # Start a connection listening on a UDP port the_connection = mavutil.mavlink_connection('/dev/ttyUSB0', baud=57600) # Set mode to Guided the_connection.mav.set_mode_send( the_connection.target_system, # Target system ID mavutil.mavlink.MAV_MODE_FLAG_CUSTOM_MODE_ENABLED, # Mode flag 4 # Guided mode ) # Arm the drone the_connection.mav.command_long_send(the_connection.target_system, the_connection.target_component, mavutil.mavlink.MAV_CMD_COMPONENT_ARM_DISARM, 0, 1, 0, 0, 0, 0, 0, 0) # Take off the drone to 10 meters altitude the_connection.mav.command_long_send(the_connection.target_system, the_connection.target_component, mavutil.mavlink.MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, 10) def abort(): """ Waits for 7 seconds for the user to input 'abort'. If 'abort' is entered, sets the mode to RTL and disarms the motors. Otherwise, continues with the waypoint. """ print("Type 'abort' to return to Launch and disarm motors.") start_time = time.monotonic() while time.monotonic() - start_time < 7: user_input = input("Time left: {} seconds\n".format(int(7 - (time.monotonic() - start_time)))) if user_input.lower() == "abort": print("Returning to Launch and disarming motors...") # sets the mode to return to launch(RTL) the_connection.mav.set_mode_send( the_connection.target_system, # Target system ID mavutil.mavlink.MAV_MODE_FLAG_CUSTOM_MODE_ENABLED, # Mode flag 6 # RTL ) # disarms the drone the_connection.mav.command_long_send( the_connection.target_system, # Target system ID the_connection.target_component, # Target component ID mavutil.mavlink.MAV_CMD_COMPONENT_ARM_DISARM, # Command ID 0, # Confirmation 0, # Arm (0) or disarm (1) 0, # Unused parameters 0, 0, 0, 0, 0 ) return True return False # below commented code does not work in drone ! # mode = the_connection.mode_mapping()[the_connection.flightmode] mode = 4 print(f"{mode}") while mode == 4: time.sleep(10) # Loop through each waypoint and send MAVLink commands for i, wp in enumerate(waypoints): print("Going to waypoint", i+1) if abort(): exit() else: the_connection.mav.send(mavutil.mavlink.MAVLink_set_position_target_global_int_message( 10, # Time boot_ms the_connection.target_system, the_connection.target_component, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT, int(0b110111111000), # Use only lat, long, alt fields (position masking accuracy parameter) int(wp[0] * 10 ** 7), # Latitude in degrees * 10^7 int(wp[1] * 10 ** 7), # Longitude in degrees * 10^7 wp[2], # Altitude in meters 0, # No velocity control 0, # No acceleration control 0, 0, 0, 0, 0, 0 # No yaw, yaw_rate, or type_mask control )) if abort(): exit() time.sleep(5) # Set mode to Return to Launch the_connection.mav.set_mode_send( the_connection.target_system, # Target system ID mavutil.mavlink.MAV_MODE_FLAG_CUSTOM_MODE_ENABLED, # Mode flag 6 # RTL ) # disarming the drone the_connection.mav.command_long_send( the_connection.target_system, # Target system ID the_connection.target_component, # Target component ID mavutil.mavlink.MAV_CMD_COMPONENT_ARM_DISARM, # Command ID 0, 0, # Arm (0) or disarm (1) 0, 0, 0, 0, 0, 0 ) # Close the MAVLink connection the_connection.close()
d6cd4444ec82b77123416d618b2699e2
{ "intermediate": 0.3373948335647583, "beginner": 0.3595414161682129, "expert": 0.3030637800693512 }
2,221
Hi, today we're going to implement a task step by step. First , I want you to implement a MATLAB code to split the 'Face.mat' dataset which includes 12 images of 6 different subjects. For each subjects we have 2 samples of 6 different emotions. The split function should be able to split the data in such a way that I would have 36 images in the training dataset and 36 images in the testing dataset. Keep in mind that this is just a small step of the task that I assigned you to do. So, wait for more steps. The whos command on 'Face.mat' gives the following information about the dataset: Variable Size Data Type Bytes II 100820x72 double 58072320 m 1x72 double 576 .
26cec2e0d0dc4d27e8d8d5c12f7634c8
{ "intermediate": 0.34951627254486084, "beginner": 0.23844711482524872, "expert": 0.41203659772872925 }
2,222
1.下表是水的表面张力对温度的函数数据: T(℃) 0 20 40 60 80 σ×103(N/m) 78.2 73.4 70.2 66.7 63.2 利用牛顿插值法求出穿过上述数据点的多项式(最后的结果输出多项式),画出σ相对于T的关系图,并标出数据点的位置。 给出python代码,将最后图片保存在 D:\网页下载
cfa37e31481cc59fa691c7119ee555ac
{ "intermediate": 0.3528081476688385, "beginner": 0.2872309982776642, "expert": 0.3599608242511749 }
2,223
write a matlab code that performs frequency modulation of a signal and then passes it through awgn noise and rygeigh fading channel and then does autocorrelation of both the signals also plot all the curvers by using subplot
daa3990570336c7c53826199e5dbb1ee
{ "intermediate": 0.16037534177303314, "beginner": 0.09596645087003708, "expert": 0.743658185005188 }
2,224
how can i turn this code into a real game : import random artists_listeners = { '$NOT': 7781046, '21 Savage': 60358167, '9lokknine': 1680245, 'A Boogie Wit Da Hoodie': 18379137, 'Ayo & Teo': 1818645, 'Bhad Bhabie': 1915352, 'Blueface': 4890312, 'Bobby Shmurda': 2523069, 'Cardi B': 30319082, 'Central Cee': 22520846, 'Chief Keef': 9541580, 'Coi Leray': 28619269, 'DaBaby': 30353214, 'DDG': 4422588, 'Denzel Curry': 7555420, 'Desiigner': 5586908, 'Don Toliver': 27055150, 'Dusty Locane': 3213566, 'Est Gee': 5916299, 'Famous Dex': 2768895, 'Fivio Foreign': 9378678, 'Fredo Bang': 1311960, 'Future': 47165975, 'Gazo': 5342471, 'GloRilla': 6273110, 'Gunna': 23998763, 'Hotboii': 1816019, 'Iann Dior': 14092651, 'J. Cole': 36626203, 'JayDaYoungan': 1415050, 'Juice WRLD': 31818659, 'Key Glock': 10397097, 'King Von': 7608559, 'Kodak Black': 24267064, 'Latto': 10943008, 'Lil Baby': 30600740, 'Lil Durk': 20244848, 'Lil Keed': 2288807, 'Lil Loaded': 2130890, 'Lil Mabu': 2886517, 'Lil Mosey': 8260285, 'Lil Peep': 15028635, 'Lil Pump': 7530070, 'Lil Skies': 4895628, 'Lil Tecca': 13070702, 'Lil Tjay': 19119581, 'Lil Uzi Vert': 3538351, 'Lil Wayne': 32506473, 'Lil Xan': 2590180, 'Lil Yachty': 11932163, 'Machine Gun Kelly': 13883363, 'Megan Thee Stallion': 23815306, 'Moneybagg Yo': 11361158, 'NLE Choppa': 17472472, 'NoCap': 1030289, 'Offset': 15069868, 'Playboi Carti': 16406109, 'PnB Rock': 5127907, 'Polo G': 24374576, 'Pooh Shiesty': 4833055, 'Pop Smoke': 24438919, 'Quando Rondo': 1511549, 'Quavo': 15944317, 'Rod Wave': 8037875, 'Roddy Ricch': 22317355, 'Russ Millions': 6089378, 'Ski Mask The Slump God': 9417485, 'Sleepy Hallow': 8794484, 'Smokepurpp': 2377384, 'Soulja Boy': 10269586, 'SpottemGottem': 1421927, 'Takeoff': 9756119, 'Tay-K': 4449331, 'Tee Grizzley': 4052375, 'Travis Scott': 46625716, 'Trippie Redd': 19120728, 'Waka Flocka Flame': 5679474, 'XXXTENTACION': 35627974, 'YBN Nahmir': 4361289, 'YK Osiris': 1686619, 'YNW Melly': 8782917, 'YounBoy Never Broke Again': 18212921, 'Young M.A': 2274306, 'Young Nudy': 7553116, 'Young Thug': 28887553, 'Yungeen Ace': 1294188, } keys = list(artists_listeners.keys()) score = 0 while True: first_artist = random.choice(keys) second_artist = random.choice(keys) while first_artist == second_artist: second_artist = random.choice(keys) while True: guess = input(f"\nWhich artist has more monthly Spotify listeners - 1. {first_artist.title()} or 2. {second_artist.title()}? ") guess_lower = guess.strip().lower() if guess_lower == 'quit': print("Thanks for playing!") quit() elif guess_lower not in ['1', '2', first_artist.lower(), second_artist.lower()]: print("Invalid input. Please enter the name of one of the two artists, type 'quit' to end the game or enter 1 or 2 to make a guess.") elif guess_lower == first_artist.lower() or guess_lower == '1' and artists_listeners[first_artist] > artists_listeners[second_artist]: print(f"You guessed correctly! {first_artist.title()} had {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners and {second_artist.title()} has {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners.") score += 1 break elif guess_lower == second_artist.lower() or guess_lower == '2' and artists_listeners[second_artist] > artists_listeners[first_artist]: print(f"You guessed correctly! {second_artist.title()} had {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners and {first_artist.title()} has {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners.") score += 1 break else: print(f"\nSorry, you guessed incorrectly. {first_artist.title()} had {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners and {second_artist.title()} has {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners.\n") score = 0 play_again = input("Would you like to play again? (y/n/Ent) ") if play_again.lower() == 'n': print("Thanks for playing!") quit() print(f"\nYour score is {score}.")
d6bcbd580b987c2bddcd4ae0fe828e25
{ "intermediate": 0.4544205069541931, "beginner": 0.26555514335632324, "expert": 0.28002431988716125 }
2,225
Hi, I got a task for you to implement. Description: In this task , you will use the dataset Face.mat to classify emotions, age, and gender of the subjects. This dataset includes 12 images of 6 different subjects. For each subjects we have 2 samples of 6 different emotions. Use one of each samples in your training dataset and the other one in your testing dataset. This way you would have 36 images in the training dataset and 36 images in the testing dataset. Goal: To classify the gender (2 classes: M, F), emotions (6 classes: angry, disgust, neutral, happy, sad, surprised) and age (3 classes: Young, Mid age, Old). Using a linear classifier. You should label your training and testing data for each of the classification problem separately. Classifier: Use the linear classifier Features: Projection of the image on each of the eigenfaces. For this purpose, you need to calculate PCA of your training data. Your kth feature will be the projection (dot product) of the image on the kth eigen vector (PCA direction) also known as eigenface. Feature Selection: You will extract 36 Features as there are 36 images (and eigen vectors) in your training data. Use the “sequentialfs” command in MATLAB to select the top 6 features using the sequential forward search algorithm. The whos command on ‘Face.mat’ gives the following information about the dataset: Variable Size Data Type Bytes II 100820x72 double 58072320 m 1x72 double 576 . Make sure you understand the dataset details correctly. I can also help you with the few rows of II and m variables. II contains -33.982443959531835 -44.41860741916287 -22.868746280499906 -25.379805594128143 -30.283148184883956 -30.058936718904974 -28.15310454274946 -26.01503669906765 -31.855455266812143 -33.236609799642935 -26.14460424518944 -26.285885736956956 -2.510206308272174 -8.53013291013687 -6.002529260067448 -8.408510216226944 2.1538781987700872 0.44219400912517415 -3.647589763935727 -8.353382265423534 -20.1724062685975 -9.886302320968056 -5.24480261852807 -16.29321563181908 -1.7801626661376702 -1.0608014282880447 11.498264233287045 2.2672783177940943 0.8750843086689173 2.5873834556635558 -8.029696488791913 -6.037314024995041 -2.089654830390799 7.025689347351715 6.521801229914701 -0.6049295774647874 0.6024102360642729 0.9641539377107762 -1.1782979567546192 -1.6539277921047386 -4.695278714540763 -3.6278218607419177 -1.7889506050386785 0.5992660186470999 -6.07371553263242 2.743602459829404 2.159244197579852 3.6410136877603634 10.375004959333467 1.2577068042055117 4.641668319777821 -0.08294981154533332 -6.972664153937714 -4.037085895655622 0.6801527474707427 2.5728030152747436 -1.4371751636580115 -1.4837234675659658 4.287442967665143 4.045744891886528 -3.421573100575287 -2.5918369371156587 -2.187462804999015 -0.8162269390993799 -2.0944852211862752 -6.876175362031347 -3.452370561396549 -5.16341995635787 2.52831779408848 -0.05173576671295166 -3.8864213449712395 -3.043354493156116 -33.982443959531835 -42.41860741916287 -20.868746280499906 -28.379805594128143 -31.283148184883956 -26.058936718904974 -29.15310454274946 -27.01503669906765 -27.855455266812143 -27.236609799642935 -29.14460424518944 -29.285885736956956 -4.510206308272174 -5.530132910136871 -3.0025292600674476 -10.408510216226944 0.15387819877008724 -4.557805990874826 -12.647589763935727 -2.3533822654235337 -17.1724062685975 -22.886302320968056 -0.24480261852806962 -16.29321563181908 -0.7801626661376702 6.939198571711955 10.498264233287045 4.267278317794094 6.875084308668917 5.587383455663556 -3.029696488791913 -6.037314024995041 4.910345169609201 7.025689347351715 2.5218012299147006 7.395070422535213 -2.397589763935727 2.964153937710776 -3.1782979567546192 0.3460722078952614 -6.695278714540763 -4.627821860741918 2.2110493949613215 -1.4007339813529 -4.07371553263242 0.743602459829404 1.1592441975798522 2.6410136877603634 14.375004959333467 2.2577068042055117 3.6416683197778212 -4.082949811545333 -4.972664153937714 -7.037085895655622 2.6801527474707427 -0.42719698472525636 0.5628248363419885 -3.483723467565966 1.287442967665143 2.045744891886528 -4.421573100575287 -4.591836937115659 -1.187462804999015 -1.81622693909938 -2.0944852211862752 -4.876175362031347 -7.452370561396549 -7.16341995635787 -3.47168220591152 -2.0517357667129517 -4.8864213449712395 -2.043354493156116 and m contains 113.98244395953184 119.41860741916287 112.8687462804999 109.37980559412814 123.28314818488396 124.05893671890497 118.15310454274946 116.01503669906765 106.85545526681214 116.23660979964293 113.14460424518944 112.28588573695696 91.51020630827217 95.53013291013687 104.00252926006745 104.40851021622694 109.84612180122991 109.55780599087483 98.64758976393573 100.35338226542353 100.1724062685975 100.88630232096806 104.24480261852807 103.29321563181908 105.78016266613767 106.06080142828804 102.50173576671295 106.7327216822059 110.12491569133108 107.41261654433644 109.02969648879191 112.03731402499504 107.0896548303908 106.97431065264828 107.4781987700853 106.60492957746479 108.39758976393573 106.03584606228922 111.17829795675462 110.65392779210474 113.69527871454076 112.62782186074192 109.78895060503868 111.4007339813529 111.07371553263242 110.2563975401706 108.84075580242015 111.35898631223964 93.62499504066653 99.74229319579449 99.35833168022218 103.08294981154533 104.97266415393771 104.03708589565562 99.31984725252926 98.42719698472526 102.43717516365801 101.48372346756597 97.71255703233486 97.95425510811347 98.42157310057529 97.59183693711566 100.18746280499902 101.81622693909938 100.09448522118628 99.87617536203135 99.45237056139655 99.16341995635787 99.47168220591152 98.05173576671295 96.88642134497124 99.04335449315612. The given sample data for variable II is of only two rows and the data given for variable 'm' is the complete data. Make sure understand everything correctly. Lets Start!
1ef735df6170d3e1f9d4acd57cd97c44
{ "intermediate": 0.3699306547641754, "beginner": 0.3793027400970459, "expert": 0.2507665455341339 }
2,226
cmake current exe target add dependency to a prebuilt 3rd party dynamic lib, give me the script
4583f5d1cb105319a0f24644f982da6c
{ "intermediate": 0.6273544430732727, "beginner": 0.1551176756620407, "expert": 0.21752791106700897 }
2,227
import numpy as np import matplotlib.pyplot as plt # 构造数据 T = np.array([0, 20, 40, 60, 80]) sigma = np.array([78.2, 73.4, 70.2, 66.7, 63.2]) # 计算差商 def divided_difference(x, y): n = len(x) F = np.zeros([n, n]) F[:, 0] = y.astype(float) for j in range(1, n): for i in range(n-j): F[i][j] = (F[i+1][j-1] - F[i][j-1])/(x[i+j]-x[i]) return F[0] # 求解插值多项式 def newton_interpolation(x, y, X): a = divided_difference(x, y) n = len(x) - 1 p = a[n] for k in range(1, n+1): p = a[n-k] + (X - x[n-k])*p return p # 生成插值点 T_interp = np.linspace(0, 80, 100) sigma_interp = newton_interpolation(T, sigma, T_interp) # 绘制图形 plt.plot(T, sigma, ‘o’, label=‘data’) plt.plot(T_interp, sigma_interp, label=‘Newton Interpolation’) plt.xlabel(‘T(℃)’) plt.ylabel(r’\sigma \times 10 ^ 3 (N/m)') plt.legend() plt.ylim(0, 100) plt.savefig(‘sigma_vs_T.png’) 在以上代码中补充代码使结果输出系数
eaaa7b895e94f7fe23849e7fd7950a7a
{ "intermediate": 0.3643162250518799, "beginner": 0.3304196000099182, "expert": 0.3052642047405243 }
2,228
You are an AI programming assistant. - Follow the user's requirements carefully and to the letter. - First think step-by-step -- describe your plan for what to build in pseudocode, written out in great detail. - Then output the code in a single code block. - Minimize any other prose.
f4c9c786446ae6ad3953e1f5667e9ef4
{ "intermediate": 0.19757366180419922, "beginner": 0.3483876883983612, "expert": 0.4540386199951172 }
2,229
"public class GameModule { private static final int NUM_ROUNDS = 4; public static void main(String[] args) { Keyboard keyboard = new Keyboard(); System.out.println("HighSum GAME"); System.out.println("================================================================================"); String playerName = Keyboard.readString("Enter Login name > "); String playerPassword = Keyboard.readString("Enter Password > "); Player player = new Player(playerName, playerPassword, 100); Dealer dealer = new Dealer(); Deck deck = new Deck(); boolean nextGame = true; while (nextGame) { System.out.println("================================================================================"); System.out.println(playerName + ", You have " + player.getChips() + " chips"); System.out.println("--------------------------------------------------------------------------------"); System.out.println("Game starts - Dealer shuffles deck."); System.out.println("--------------------------------------------------------------------------------"); System.out.println("Dealer dealing cards - ROUND 1"); System.out.println("--------------------------------------------------------------------------------"); deck.shuffle(); dealer.clearCardsOnHand(); player.clearCardsOnHand(); // Switch the order of dealer and player to deal cards to the dealer first for (int i = 0; i < 2; i++) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } int betOnTable = 0; for (int round = 1; round <= NUM_ROUNDS; round++) { System.out.println("--------------------------------------------------------------------------------"); System.out.println("Dealer dealing cards - ROUND " + round); System.out.println("--------------------------------------------------------------------------------"); // Show dealer’s cards first, then player’s cards dealer.showCardsOnHand(); player.showCardsOnHand(); System.out.println("Value: " + player.getTotalCardsValue()); if (round > 1) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } if (round == 4) { dealer.revealHiddenCard(); } if (player.getTotalCardsValue() > dealer.getTotalCardsValue()) { System.out.println(playerName + " Wins"); player.addChips(betOnTable); } else { System.out.println("Dealer Wins"); } } } boolean valid = false; while (!valid) { String input = Keyboard.readString("Next Game? (Y/N) > ").toLowerCase(); if (input.equals("y")) { nextGame = true; valid = true; } else if (input.equals("n")) { nextGame = false; valid = true; } else { System.out.println("*** Please enter Y or N ***"); } } } } import java.util.ArrayList; import java.util.Random; public class Deck { private ArrayList<Card> cards; public Deck() { cards = new ArrayList<Card>(); String[] suits = {"Heart", "Diamond", "Spade", "Club"}; for (int i = 0; i < suits.length; i++) { String suit = suits[i]; Card card = new Card(suit, "Ace", 1); cards.add(card); for (int n = 2; n <= 10; n++) { Card aCard = new Card(suit, n + "", n); cards.add(aCard); } Card jackCard = new Card(suit, "Jack", 10); cards.add(jackCard); Card queenCard = new Card(suit, "Queen", 10); cards.add(queenCard); Card kingCard = new Card(suit, "King", 10); cards.add(kingCard); } } public void shuffle() { Random random = new Random(); for (int i = 0; i < 1000; i++) { int indexA = random.nextInt(cards.size()); int indexB = random.nextInt(cards.size()); Card cardA = cards.get(indexA); Card cardB = cards.get(indexB); cards.set(indexA, cardB); cards.set(indexB, cardA); } } public Card dealCard() { return cards.remove(0); } } public class Dealer extends Player { public Dealer() { super("Dealer", "", 0); } @Override public void addCard(Card card) { super.addCard(card); // Hide only the first card for the dealer if (cardsOnHand.size() == 1) { cardsOnHand.get(0).hide(); } } @Override public void showCardsOnHand() { System.out.println(getLoginName()); int numCards = cardsOnHand.size(); for (int i = 0; i < numCards; i++) { System.out.print(cardsOnHand.get(i)); if (i < numCards - 1) { System.out.print(", "); } } System.out.println("\n"); } public void revealHiddenCard() { if (!cardsOnHand.isEmpty()) { cardsOnHand.get(0).reveal(); } } } public class Card { private String suit; private String name; private int value; private boolean hidden; public Card(String suit, String name, int value) { this.suit = suit; this.name = name; this.value = value; this.hidden = false; // Change this line to make cards revealed by default } public int getValue() { return value; } public void reveal() { this.hidden = false; } public boolean isHidden() { return hidden; } @Override public String toString() { return this.hidden ? "<HIDDEN CARD>" : "<" + this.suit + " " + this.name + ">"; } public static void main(String[] args) { Card card = new Card("Heart", "Ace", 1); System.out.println(card); } public void hide() { this.hidden = true; } } public class User { private String loginName; private String password; public User(String loginName, String password) { this.loginName = loginName; this.password = password; } public String getLoginName() { return loginName; } public boolean checkPassword(String password) { return this.password.equals(password); } } import java.util.ArrayList; public class Player extends User { private int chips; protected ArrayList<Card> cardsOnHand; public Player(String loginName, String password, int chips) { super(loginName, password); this.chips = chips; this.cardsOnHand = new ArrayList<Card>(); } public void addCard(Card card) { this.cardsOnHand.add(card); } public void showCardsOnHand() { System.out.println(getLoginName()); int numCards = cardsOnHand.size(); for (int i = 0; i < numCards; i++) { if (i < numCards - 1) { System.out.print(cardsOnHand.get(i) + ", "); } else { System.out.print(cardsOnHand.get(i)); } } System.out.println("\n"); } public int getChips() { return this.chips; } public void addChips(int amount) { this.chips += amount; } public void deductChips(int amount) { if (amount < chips) this.chips -= amount; } public int getTotalCardsValue() { int totalValue = 0; for (Card card : cardsOnHand) { totalValue += card.getValue(); } return totalValue; } public int getNumberOfCards() { return cardsOnHand.size(); } public void clearCardsOnHand() { cardsOnHand.clear(); } } public class Keyboard { public static String readString(String prompt) { System.out.print(prompt); return new java.util.Scanner(System.in).nextLine(); } public static int readInt(String prompt) { int input = 0; boolean valid = false; while (!valid) { try { input = Integer.parseInt(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter an integer ***"); } } return input; } public static double readDouble(String prompt) { double input = 0; boolean valid = false; while (!valid) { try { input = Double.parseDouble(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter a double ***"); } } return input; } public static float readFloat(String prompt) { float input = 0; boolean valid = false; while (!valid) { try { input = Float.parseFloat(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter a float ***"); } } return input; } public static long readLong(String prompt) { long input = 0; boolean valid = false; while (!valid) { try { input = Long.parseLong(readString(prompt)); valid = true; } catch (NumberFormatException e) { e.printStackTrace(); System.out.println("*** Please enter a long ***"); } } return input; } public static char readChar(String prompt) { char input = 0; boolean valid = false; while (!valid) { String temp = readString(prompt); if (temp.length() != 1) { System.out.println("*** Please enter a character ***"); } else { input = temp.charAt(0); valid = true; } } return input; } public static boolean readBoolean(String prompt) { boolean valid = false; while (!valid) { String input = readString(prompt); if (input.equalsIgnoreCase("yes") || input.equalsIgnoreCase("y") || input.equalsIgnoreCase("true") || input.equalsIgnoreCase("t")) { return true; } else if (input.equalsIgnoreCase("no") || input.equalsIgnoreCase("n") || input.equalsIgnoreCase("false") || input.equalsIgnoreCase("f")) { return false; } else { System.out.println("*** Please enter Yes/No or True/False ***"); } } return false; } public static java.util.Date readDate(String prompt) { java.util.Date date = null; boolean valid = false; while (!valid) { try { String input = readString(prompt).trim(); if (input.matches("\\d\\d/\\d\\d/\\d\\d\\d\\d")) { int day = Integer.parseInt(input.substring(0, 2)); int month = Integer.parseInt(input.substring(3, 5)); int year = Integer.parseInt(input.substring(6, 10)); java.util.Calendar cal = java.util.Calendar.getInstance(); cal.setLenient(false); cal.set(year, month - 1, day, 0, 0, 0); date = cal.getTime(); valid = true; } else { System.out.println("*** Please enter a date (DD/MM/YYYY) ***"); } } catch (IllegalArgumentException e) { System.out.println("*** Please enter a date (DD/MM/YYYY) ***"); } } return date; } private static String quit = "0"; public static int getUserOption(String title, String[] menu) { displayMenu(title, menu); int choice = Keyboard.readInt("Enter Choice --> "); while (choice > menu.length || choice < 0) { choice = Keyboard.readInt("Invalid Choice, Re-enter --> "); } return choice; } private static void displayMenu(String title, String[] menu) { line(80, "="); System.out.println(title.toUpperCase()); line(80, "-"); for (int i = 0; i < menu.length; i++) { System.out.println("[" + (i + 1) + "] " + menu[i]); } System.out.println("[" + quit + "] Quit"); line(80, "-"); } public static void line(int len, String c) { System.out.println(String.format("%" + len + "s", " ").replaceAll(" ", c)); } }" Edit the code above as the current output is " HighSum GAME ================================================================================ Enter Login name > pasd Enter Password > password ================================================================================ pasd, You have 100 chips -------------------------------------------------------------------------------- Game starts - Dealer shuffles deck. -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 4> pasd <Spade 8>, <Heart 6> Value: 14 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 2 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 4> pasd <Spade 8>, <Heart 6> Value: 14 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 3 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 4>, <Diamond 8> pasd <Spade 8>, <Heart 6>, <Diamond Queen> Value: 24 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 4 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 4>, <Diamond 8>, <Diamond King> pasd <Spade 8>, <Heart 6>, <Diamond Queen>, <Club Jack> Value: 34 pasd Wins ================================================================================ pasd, You have 100 chips -------------------------------------------------------------------------------- Game starts - Dealer shuffles deck. -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Spade 5> pasd <Heart Queen>, <Club Queen> Value: 20 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 2 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Spade 5> pasd <Heart Queen>, <Club Queen> Value: 20 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 3 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Spade 5>, <Heart 3> pasd <Heart Queen>, <Club Queen>, <Spade 3> Value: 23 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 4 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Spade 5>, <Heart 3>, <Club 8> pasd <Heart Queen>, <Club Queen>, <Spade 3>, <Heart Jack> Value: 33 pasd Wins ================================================================================ pasd, You have 100 chips -------------------------------------------------------------------------------- Game starts - Dealer shuffles deck. -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 7> pasd <Diamond Ace>, <Club King> Value: 11 Dealer Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 2 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 7> pasd <Diamond Ace>, <Club King> Value: 11 Dealer Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 3 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 7>, <Club Ace> pasd <Diamond Ace>, <Club King>, <Heart Ace> Value: 12 Dealer Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 4 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 7>, <Club Ace>, <Diamond 6> pasd <Diamond Ace>, <Club King>, <Heart Ace>, <Spade 4> Value: 16 Dealer Wins ================================================================================ pasd, You have 100 chips -------------------------------------------------------------------------------- Game starts - Dealer shuffles deck. -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 3> pasd <Diamond 5>, <Heart King> Value: 15 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 2 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 3> pasd <Diamond 5>, <Heart King> Value: 15 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 3 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 3>, <Spade 2> pasd <Diamond 5>, <Heart King>, <Spade King> Value: 25 pasd Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 4 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Diamond 3>, <Spade 2>, <Diamond 2> pasd <Diamond 5>, <Heart King>, <Spade King>, <Spade 10> Value: 35 pasd Wins ================================================================================ pasd, You have 100 chips -------------------------------------------------------------------------------- Game starts - Dealer shuffles deck. -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Spade Queen> pasd <Club 7>, <Heart 5> Value: 12 Dealer Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 2 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Spade Queen> pasd <Club 7>, <Heart 5> Value: 12 Dealer Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 3 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Spade Queen>, <Heart 8> pasd <Club 7>, <Heart 5>, <Club 2> Value: 14 Dealer Wins -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 4 -------------------------------------------------------------------------------- Dealer <HIDDEN CARD>, <Spade Queen>, <Heart 8>, <Heart 4> pasd <Club 7>, <Heart 5>, <Club 2>, <Heart 7> Value: 21 Dealer Wins ================================================================================ pasd, You have 100 chips -------------------------------------------------------------------------------- Game starts - Dealer shuffles deck. -------------------------------------------------------------------------------- Dealer dealing cards - ROUND 1 --------------------------------------------------------------------------------" with these errors "Exception in thread "main" java.lang.IndexOutOfBoundsException: Index 0 out of bounds for length 0 at java.base/jdk.internal.util.Preconditions.outOfBounds(Preconditions.java:64) at java.base/jdk.internal.util.Preconditions.outOfBoundsCheckIndex(Preconditions.java:70) at java.base/jdk.internal.util.Preconditions.checkIndex(Preconditions.java:266) at java.base/java.util.Objects.checkIndex(Objects.java:359) at java.base/java.util.ArrayList.remove(ArrayList.java:504) at Deck.dealCard(Deck.java:40) at GameModule.main(GameModule.java:33)" The code is supposed to go round by round and asking the player to place bet if their card is bigger than the dealer's and there should be an option of "Do you want to [C]all or [Q]uit?: " for each round and C is for continuing the game and q is to end the game.
f6a4bbc22392e7d70484fa07976720ee
{ "intermediate": 0.4807671308517456, "beginner": 0.3989344537258148, "expert": 0.12029844522476196 }
2,230
import numpy as np import matplotlib.pyplot as plt # 构造数据 T = np.array([0, 20, 40, 60, 80]) sigma = np.array([78.2, 73.4, 70.2, 66.7, 63.2]) # 计算差商 def divided_difference(x, y): n = len(x) F = np.zeros([n, n]) F[:, 0] = y.astype(float) for j in range(1, n): for i in range(n-j): F[i][j] = (F[i+1][j-1] - F[i][j-1])/(x[i+j]-x[i]) return F[0] # 求解插值多项式 def newton_interpolation(x, y, X): a = divided_difference(x, y) n = len(x) - 1 p = a[n] for k in range(1, n+1): p = a[n-k] + (X - x[n-k])*p return p # 生成插值点 T_interp = np.linspace(0, 80, 100) sigma_interp = newton_interpolation(T, sigma, T_interp) # 绘制图形 plt.plot(T, sigma, 'o', label='data') plt.plot(T_interp, sigma_interp, label='Newton Interpolation') plt.xlabel('T(℃)') plt.ylabel(r'\sigma \times 10 ^ 3 (N/m)') plt.legend() plt.ylim(0, 100) plt.savefig('sigma_vs_T.png') 在以上代码中补充代码使结果输出利用牛顿插值法求出的穿过上述数据点的多项式
9f8564d1c130a466f52848d48dcf07f0
{ "intermediate": 0.40196049213409424, "beginner": 0.3246963620185852, "expert": 0.2733430862426758 }
2,231
Hi how are you?
61ceb11bf50041a5df7ca0e8db4c2c23
{ "intermediate": 0.385128915309906, "beginner": 0.2902591824531555, "expert": 0.3246119022369385 }
2,232
import numpy as np import matplotlib.pyplot as plt # 构造数据 T = np.array([0, 20, 40, 60, 80]) sigma = np.array([78.2, 73.4, 70.2, 66.7, 63.2]) # 计算差商 def divided_difference(x, y): n = len(x) F = np.zeros([n, n]) F[:, 0] = y.astype(float) for j in range(1, n): for i in range(n-j): F[i][j] = (F[i+1][j-1] - F[i][j-1])/(x[i+j]-x[i]) return F[0] # 求解插值多项式 def newton_interpolation(x, y, X): a = divided_difference(x, y) n = len(x) - 1 p = a[n] for k in range(1, n+1): p = a[n-k] + (X - x[n-k])*p return p # 生成插值点 T_interp = np.linspace(0, 80, 100) sigma_interp = newton_interpolation(T, sigma, T_interp) print('插值多项式为:', end='') n = len(T) - 1 a = divided_difference(T, sigma) for k in range(n, -1, -1): if k == n: print(f'{a[k]:.2f}', end=' + ') elif k == 0: print(f'({a[k]:.2f})(x-{T[k]})') else: print(f'({a[k]:.2f})(x-{T[k]}) + ', end='') # 绘制图形 plt.plot(T, sigma, 'o', label='data') plt.plot(T_interp, sigma_interp, label='Newton Interpolation') plt.xlabel('T(℃)') plt.ylabel(r'\sigma \times 10 ^ 3 (N/m)') plt.legend() plt.ylim(0, 100) plt.savefig('sigma_vs_T.png') 以上代码生成的多项式为什么
4b17186d1d0f1ccb02cd2fe009eeda59
{ "intermediate": 0.3404466509819031, "beginner": 0.3398594856262207, "expert": 0.3196938633918762 }
2,233
please give me the modifiesd code with pd controller from pymavlink import mavutil import math import time class Drone: def init(self, system_id, connection): self.system_id = system_id self.connection = connection def set_mode(self, mode): self.connection.mav.set_mode_send( self.system_id, mavutil.mavlink.MAV_MODE_FLAG_CUSTOM_MODE_ENABLED, mode ) def arm(self, arm=True): self.connection.mav.command_long_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_CMD_COMPONENT_ARM_DISARM, 0, int(arm), 0, 0, 0, 0, 0, 0) def takeoff(self, altitude): self.connection.mav.command_long_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, altitude) def send_waypoint(self, wp): self.connection.mav.send(mavutil.mavlink.MAVLink_set_position_target_global_int_message( 10, self.system_id, self.connection.target_component, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT, int(0b110111111000), int(wp[0] * 10 ** 7), int(wp[1] * 10 ** 7), wp[2], 0, 0, 0, 0, 0, 0, 0 )) def get_position(self): # Request the current state of the drone from the autopilot self.connection.mav.request_data_stream_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_DATA_STREAM_POSITION, 1, 1) # Wait for a GLOBAL_POSITION_INT message and return the position as tuple (lat, lon, alt) while True: msg = self.connection.recv_match(type='GLOBAL_POSITION_INT', blocking=True) if msg.get_srcSystem() == self.system_id: return (msg.lat / 10 ** 7, msg.lon / 10 ** 7, msg.alt / 10 ** 3) def calculate_follower_coordinates(wp, distance, angle): earth_radius = 6371000.0 # in meters latitude_change = (180 * distance * math.cos(math.radians(angle))) / (math.pi * earth_radius) longitude_change = (180 * distance * math.sin(math.radians(angle))) / (math.pi * earth_radius * math.cos(math.radians(wp[0]))) new_latitude = wp[0] + latitude_change new_longitude = wp[1] + longitude_change return (new_latitude, new_longitude, wp[2]) waypoints = [ (28.5861474, 77.3421320, 10), (28.5859040, 77.3420736, 10) ] distance = 5 # Distance in meters angle = 60 # Angle in degrees the_connection = mavutil.mavlink_connection('/dev/ttyUSB0', baud=57600) master_drone = Drone(3, the_connection) follower_drone = Drone(2, the_connection) # Set mode to Guided and arm both drones for drone in [master_drone, follower_drone]: drone.set_mode(4) drone.arm() drone.takeoff(10) def abort(): """ Waits for 7 seconds for the user to input 'abort'. If 'abort' is entered, sets the mode to RTL and disarms the motors. Otherwise, continues with the waypoint. """ print("Type 'abort' to return to Launch and disarm motors.") start_time = time.monotonic() while time.monotonic() - start_time < 7: user_input = input("Time left: {} seconds\n".format(int(7 - (time.monotonic() - start_time)))) if user_input.lower() == "abort": print("Returning to Launch and disarming motors…") for drone in [master_drone, follower_drone]: drone.set_mode(6) # RTL mode drone.arm(False) # Disarm motors return True return False mode = 4 print(f"{mode}") time_start = time.time() while mode == 4: # Abort drones if the abort command is given if abort(): exit() if time.time() - time_start >= 1: # Check if one second passed for master_wp in waypoints: master_drone.send_waypoint(master_wp) follower_position = master_drone.get_position() follower_wp = calculate_follower_coordinates(follower_position, distance, angle) follower_drone.send_waypoint(follower_wp) time_start = time.time() time.sleep(0.1) # Reduce sleep time to avoid too much delay # Set mode to RTL and disarm both drones for drone in [master_drone, follower_drone]: drone.set_mode(6) drone.arm(False) the_connection.close()
122bdcb79ece967f70127aa48b2021e7
{ "intermediate": 0.41235464811325073, "beginner": 0.35360053181648254, "expert": 0.23404479026794434 }
2,234
python await outside async function
2d6bba7c2842beb5a800689cd64870db
{ "intermediate": 0.3930317163467407, "beginner": 0.3181076645851135, "expert": 0.28886061906814575 }
2,235
import random artists_listeners = { '$NOT': 7781046, '21 Savage': 60358167, '9lokknine': 1680245, 'A Boogie Wit Da Hoodie': 18379137, 'Ayo & Teo': 1818645, 'Bhad Bhabie': 1915352, 'Blueface': 4890312, 'Bobby Shmurda': 2523069, 'Cardi B': 30319082, 'Central Cee': 22520846, 'Chief Keef': 9541580, 'Coi Leray': 28619269, 'DaBaby': 30353214, 'DDG': 4422588, 'Denzel Curry': 7555420, 'Desiigner': 5586908, 'Don Toliver': 27055150, 'Dusty Locane': 3213566, 'Est Gee': 5916299, 'Famous Dex': 2768895, 'Fivio Foreign': 9378678, 'Fredo Bang': 1311960, 'Future': 47165975, 'Gazo': 5342471, 'GloRilla': 6273110, 'Gunna': 23998763, 'Hotboii': 1816019, 'Iann Dior': 14092651, 'J. Cole': 36626203, 'JayDaYoungan': 1415050, 'Juice WRLD': 31818659, 'Key Glock': 10397097, 'King Von': 7608559, 'Kodak Black': 24267064, 'Latto': 10943008, 'Lil Baby': 30600740, 'Lil Durk': 20244848, 'Lil Keed': 2288807, 'Lil Loaded': 2130890, 'Lil Mabu': 2886517, 'Lil Mosey': 8260285, 'Lil Peep': 15028635, 'Lil Pump': 7530070, 'Lil Skies': 4895628, 'Lil Tecca': 13070702, 'Lil Tjay': 19119581, 'Lil Uzi Vert': 3538351, 'Lil Wayne': 32506473, 'Lil Xan': 2590180, 'Lil Yachty': 11932163, 'Machine Gun Kelly': 13883363, 'Megan Thee Stallion': 23815306, 'Moneybagg Yo': 11361158, 'NLE Choppa': 17472472, 'NoCap': 1030289, 'Offset': 15069868, 'Playboi Carti': 16406109, 'PnB Rock': 5127907, 'Polo G': 24374576, 'Pooh Shiesty': 4833055, 'Pop Smoke': 24438919, 'Quando Rondo': 1511549, 'Quavo': 15944317, 'Rod Wave': 8037875, 'Roddy Ricch': 22317355, 'Russ Millions': 6089378, 'Ski Mask The Slump God': 9417485, 'Sleepy Hallow': 8794484, 'Smokepurpp': 2377384, 'Soulja Boy': 10269586, 'SpottemGottem': 1421927, 'Takeoff': 9756119, 'Tay-K': 4449331, 'Tee Grizzley': 4052375, 'Travis Scott': 46625716, 'Trippie Redd': 19120728, 'Waka Flocka Flame': 5679474, 'XXXTENTACION': 35627974, 'YBN Nahmir': 4361289, 'YK Osiris': 1686619, 'YNW Melly': 8782917, 'YounBoy Never Broke Again': 18212921, 'Young M.A': 2274306, 'Young Nudy': 7553116, 'Young Thug': 28887553, 'Yungeen Ace': 1294188, } keys = list(artists_listeners.keys()) score = 0 while True: first_artist = random.choice(keys) second_artist = random.choice(keys) while first_artist == second_artist: second_artist = random.choice(keys) while True: guess = input(f"\nWhich artist has more monthly Spotify listeners - 1. {first_artist.title()} or 2. {second_artist.title()}? ") guess_lower = guess.strip().lower() if guess_lower == 'quit': print("Thanks for playing!") quit() elif guess_lower not in ['1', '2', first_artist.lower(), second_artist.lower()]: print("Invalid input. Please enter the name of one of the two artists, type 'quit' to end the game or enter 1 or 2 to make a guess.") elif guess_lower == first_artist.lower() or guess_lower == '1' and artists_listeners[first_artist] > artists_listeners[second_artist]: print(f"You guessed correctly! {first_artist.title()} had {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners and {second_artist.title()} has {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners.") score += 1 break elif guess_lower == second_artist.lower() or guess_lower == '2' and artists_listeners[second_artist] > artists_listeners[first_artist]: print(f"You guessed correctly! {second_artist.title()} had {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners and {first_artist.title()} has {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners.") score += 1 break else: print(f"\nSorry, you guessed incorrectly. {first_artist.title()} had {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners and {second_artist.title()} has {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners.\n") score = 0 play_again = input("Would you like to play again? (y/n/Ent) ") if play_again.lower() == 'n': print("Thanks for playing!") quit() print(f"\nYour score is {score}.") how can i change the code so images appear of the two rappers that are being compared
f62a2f89c0cb7efb469fdeeddcb40c64
{ "intermediate": 0.3797962963581085, "beginner": 0.2852279245853424, "expert": 0.3349757194519043 }
2,236
what should i change : import random from PIL import Image artists_listeners = { 'Lil Baby': 30600740, 'Lil Durk': 20244848, 'Lil Keed': 2288807, # add more artists here } images = { 'Lil Baby': 'C:/Users/elias\Pictures/Album covers/lil_baby.jpg', 'Lil Durk': 'C:/Users/elias\Pictures/Album covers/lil_durk.jpg', 'Lil Keed': 'C:/Users/elias\Picture/\Album covers/lil_keed.jpg', # add more images here } score = 0 while True: first_artist = random.choice(keys) second_artist = random.choice(keys) while first_artist == second_artist: second_artist = random.choice(keys) # Load the images of the artists first_image = Image.open(images[first_artist]) second_image = Image.open(images[second_artist]) # Display the images first_image.show() second_image.show() while True: guess = input(f"\nWhich artist has more monthly Spotify listeners - 1. {first_artist.title()} or 2. {second_artist.title()}? ") guess_lower = guess.strip().lower() if guess_lower == 'quit': print("Thanks for playing!") quit() elif guess_lower not in ['1', '2', first_artist.lower(), second_artist.lower()]: print("Invalid input. Please enter the name of one of the two artists, type 'quit' to end the game or enter 1 or 2 to make a guess.") elif guess_lower == first_artist.lower() or guess_lower == '1' and artists_listeners[first_artist] > artists_listeners[second_artist]: print(f"You guessed correctly! {first_artist.title()} had {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners and {second_artist.title()} has {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners.") score += 1 break elif guess_lower == second_artist.lower() or guess_lower == '2' and artists_listeners[second_artist] > artists_listeners[first_artist]: print(f"You guessed correctly! {second_artist.title()} had {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners and {first_artist.title()} has {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners.") score += 1 break else: print(f"\nSorry, you guessed incorrectly. {first_artist.title()} had {artists_listeners[first_artist] / 1e6:.1f}M monthly Spotify listeners and {second_artist.title()} has {artists_listeners[second_artist] / 1e6:.1f}M monthly Spotify listeners.\n") score = 0 play_again = input("Would you like to play again? (y/n/Ent) ") if play_again.lower() == 'n': print("Thanks for playing!") quit() # Close the images of the artists first_image.close() second_image.close() print(f"\nYour score is {score}.") ======== RESTART: C:\Users\elias\Documents\Code\Python - Freegpt\test.py ======= Traceback (most recent call last): File "C:\Users\elias\Documents\Code\Python - Freegpt\test.py", line 23, in <module> first_artist = random.choice(keys) NameError: name 'keys' is not defined
8b34a0b6321c3a0ef231a83d080c2577
{ "intermediate": 0.2986675202846527, "beginner": 0.4205804169178009, "expert": 0.2807520627975464 }
2,237
storing the file and directory structure in MySQL column include name parentId level etc
1b7aa76149ccd2c043a41ee198bc1a37
{ "intermediate": 0.36175984144210815, "beginner": 0.2702840268611908, "expert": 0.36795616149902344 }
2,238
我希望通过java来生成一些html代码,要求如下: 1. 生成的代码包含两个p标签 2. 第一个p标签内包含一个img标签(主图) 3. 第二个p标签内包含若干个a标签 3. 每个a标签的slot内包含一个img标签(附图) 以下代码是一个例子:
c282c32f087f7483c446eeffbffb1123
{ "intermediate": 0.36330726742744446, "beginner": 0.3231711685657501, "expert": 0.3135216534137726 }
2,239
draw a picture that someone is tired
eab9aea94b3b48831fa78b35e0261e46
{ "intermediate": 0.4531468451023102, "beginner": 0.31526950001716614, "expert": 0.2315836399793625 }
2,240
store local directory structure metadata into sqlite,suppor file and directory addfile removefile adddir removedir getfilesize getdirsize
0a4a2339db4d3497760ae8d98c9f5c8c
{ "intermediate": 0.38571611046791077, "beginner": 0.30987492203712463, "expert": 0.3044090270996094 }
2,241
what's going on your processing time is such long
eb1946bd25a69a6bd022328af7c769c8
{ "intermediate": 0.37513306736946106, "beginner": 0.3393293619155884, "expert": 0.28553757071495056 }
2,242
Act as a software developer. Help me to edit my python script to add functionality. I already have all the permissions necessary for the functions from the owner and site administrator
4891e347f0af6b5a125ce2ffbdb05fab
{ "intermediate": 0.37538182735443115, "beginner": 0.3739073872566223, "expert": 0.25071075558662415 }
2,243
cmake how to make source files inside a module appear in Groups like "Private" and "Public"
9277fa053541f0701d02b8f38ac74e2a
{ "intermediate": 0.494505375623703, "beginner": 0.2099706083536148, "expert": 0.2955239415168762 }
2,244
Write a simple single layer rnn in pytorch. Only the model class.
8cbc44e252ab9c70e80210765f4749cd
{ "intermediate": 0.11560700833797455, "beginner": 0.15584194660186768, "expert": 0.7285510301589966 }
2,245
how can i group_sources_by_directory() using cmake. In your answer, remember to put all cmake script code inside
a50935eb5491f832cd4b3a72e20d71e9
{ "intermediate": 0.3615615963935852, "beginner": 0.3117898404598236, "expert": 0.3266485631465912 }
2,246
Write a simple single layer rnn in pytorch. Only the model class. Do not use the shorthand nn.RNN() module, use instead nn.Linear().
f4089ed636a7c220510fa3daf0e1a93e
{ "intermediate": 0.15146875381469727, "beginner": 0.09812728315591812, "expert": 0.7504040002822876 }
2,247
Act as a software developer, and help me to add functionality to the following script. Ask me questions, and then when ready, apply the edits. When you're ready, confirm with me that I want you to apply the edits. The script is as follows: import requests from bs4 import BeautifulSoup import csv # Open the file containing the municipality URLs with open('municipalities_urls.txt') as f: # Read the URLs into a list urls = f.read().splitlines() # Create an empty list to store the tax sale property details property_details = [] # Iterate over the URLs and extract the property details for url in urls: # Send a GET request to the page response = requests.get(url) # Parse the HTML content of the page with BeautifulSoup soup = BeautifulSoup(response.content, 'html.parser') # Find all the property details on the page for tr in soup.find_all('tr'): property_detail = {} tds = tr.find_all('td') if len(tds) == 6: property_detail['Municipality'] = soup.title.string.split('-')[0].strip() property_detail['Tax Sale ID'] = tds[0].text.strip() property_detail['Address'] = tds[1].text.strip() property_detail['Minimum Tender Amount'] = tds[2].text.strip() property_detail['Date of Auction'] = tds[3].text.strip() property_detail['Description'] = tds[4].text.strip() property_detail['Addtional Information'] = tds[5].text.strip() # Append the property detail to the list property_details.append(property_detail) # Open a CSV file to write the property details with open('property_details.csv', 'w', newline='') as f: # Create a CSV writer writer = csv.DictWriter(f, fieldnames=property_details[0].keys()) # Write the header row writer.writeheader() # Write each property detail to a row in the CSV file for property_detail in property_details: writer.writerow(property_detail)
81b6163dd9413c0783268415c30485d4
{ "intermediate": 0.6021957397460938, "beginner": 0.1798427700996399, "expert": 0.21796154975891113 }
2,248
in each cell of column D of an excel sheet, I have the name of a another sheet in the same workbook. Is there a formula or code that will take me to the specific sheet when i click on the cell in column D that has the unique sheet name.
ef4536ea1ae354581e026121baa4aa34
{ "intermediate": 0.36681994795799255, "beginner": 0.22414901852607727, "expert": 0.4090310335159302 }
2,249
please correct the below code syntax and if possible imporve it from pymavlink import mavutil import math import time class Drone: def init(self, system_id, connection): self.system_id = system_id self.connection = connection def set_mode(self, mode): self.connection.mav.set_mode_send( self.system_id, mavutil.mavlink.MAV_MODE_FLAG_CUSTOM_MODE_ENABLED, mode ) def arm(self, arm=True): self.connection.mav.command_long_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_CMD_COMPONENT_ARM_DISARM, 0, int(arm), 0, 0, 0, 0, 0, 0) def takeoff(self, altitude): self.connection.mav.command_long_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, altitude) def send_waypoint(self, wp): self.connection.mav.send(mavutil.mavlink.MAVLink_set_position_target_global_int_message( 10, self.system_id, self.connection.target_component, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT, int(0b110111111000), int(wp[0] * 10 ** 7), int(wp[1] * 10 ** 7), wp[2], 0, 0, 0, 0, 0, 0, 0 )) def get_position(self): # Request the current state of the drone from the autopilot self.connection.mav.request_data_stream_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_DATA_STREAM_POSITION, 1, 1) # Wait for a GLOBAL_POSITION_INT message and return the position as tuple (lat, lon, alt) while True: msg = self.connection.recv_match(type=‘GLOBAL_POSITION_INT’, blocking=True) if msg.get_srcSystem() == self.system_id: return (msg.lat / 10 ** 7, msg.lon / 10 ** 7, msg.alt / 10 ** 3) class PIDController: def init(self, kp, ki, kd, limit): self.kp = kp self.ki = ki self.kd = kd self.limit = limit self.prev_error = 0 self.integral = 0 def update(self, error, dt): derivative = (error - self.prev_error) / dt self.integral += error * dt self.integral = max(min(self.integral, self.limit), -self.limit) # Clamp the integral term output = self.kp * error + self.ki * self.integral + self.kd * derivative self.prev_error = error return output def calculate_follower_coordinates(wp, distance, angle): earth_radius = 6371000.0 # in meters latitude_change = (180 * distance * math.cos(math.radians(angle))) / (math.pi * earth_radius) longitude_change = (180 * distance * math.sin(math.radians(angle))) / (math.pi * earth_radius * math.cos(math.radians(wp[0]))) new_latitude = wp[0] + latitude_change new_longitude = wp[1] + longitude_change return (new_latitude, new_longitude, wp[2]) waypoints = [ (28.5861474, 77.3421320, 10), (28.5859040, 77.3420736, 10) ] distance = 5 # Distance in meters angle = 60 # Angle in degrees kp = 0.1 ki = 0.01 kd = 0.05 pid_limit = 0.0001 pid_lat = PIDController(kp, ki, kd, pid_limit) pid_lon = PIDController(kp, ki, kd, pid_limit) the_connection = mavutil.mavlink_connection(‘/dev/ttyUSB0’, baud=57600) master_drone = Drone(3, the_connection) follower_drone = Drone(2, the_connection) # Set mode to Guided and arm both drones for drone in [master_drone, follower_drone]: drone.set_mode(4) drone.arm() drone.takeoff(10) def abort(): “”“ Waits for 7 seconds for the user to input ‘abort’. If ‘abort’ is entered, sets the mode to RTL and disarms the motors. Otherwise, continues with the waypoint. “”” print(“Type ‘abort’ to return to Launch and disarm motors.”) start_time = time.monotonic() while time.monotonic() - start_time < 7: user_input = input(“Time left: {} seconds \n”.format(int(7 - (time.monotonic() - start_time)))) if user_input.lower() == “abort”: print(“Returning to Launch and disarming motors…”) for drone in [master_drone, follower_drone]: drone.set_mode(6) # RTL mode drone.arm(False) # Disarm motors return True return False mode = 4 print(f"{mode}") time_start = time.time() while mode == 4: # Abort drones if the abort command is given if abort(): exit() if time.time() - time_start >= 1: # Check if one second passed for master_wp in waypoints: master_drone.send_waypoint(master_wp) follower_position = master_drone.get_position() follower_wp = calculate_follower_coordinates(follower_position, distance, angle) # Call PID controller update for latitude and longitude dt = time.time() - time_start pid_lat_output = pid_lat.update(follower_wp[0] - follower_position[0], dt) pid_lon_output = pid_lon.update(follower_wp[1] - follower_position[1], dt) # Adjust waypoint position using PID controller output adjusted_follower_wp = (follower_wp[0] + pid_lat_output, follower_wp[1] + pid_lon_output, follower_wp[2]) follower_drone.send_waypoint(adjusted_follower_wp) time_start = time.time() time.sleep(0.1) # Reduce sleep time to avoid too much delay # Set mode to RTL and disarm both drones for drone in [master_drone, follower_drone]: drone.set_mode(6) drone.arm(False) the_connection.close()
d4cc9c5f696d1a07f1584c5e33191973
{ "intermediate": 0.3183494806289673, "beginner": 0.35848256945610046, "expert": 0.3231678903102875 }
2,250
code source + react router + without install package react-router and history
d421d0460ef176c01cef98991d21fccc
{ "intermediate": 0.4759259819984436, "beginner": 0.2451004534959793, "expert": 0.27897363901138306 }
2,251
library(survival) set.seed(42) nPatients <- 200 status <- rbinom(nPatients, 1, 0.7) gender <- rbinom(nPatients, 1, 0.5) age <- rnorm(nPatients, mean = 60, sd = 10) time <- rexp(nPatients, rate = 0.015) simData <- data.frame(time = time, status = status, gender = gender, age = age) cutTimeInterval <- 2 simData$cutTime <- cut(simData[["time"]], c(seq(0, cutTimeInterval * 365, 365), max(simData[["time"]])), labels = as.character(seq(1, cutTimeInterval + 1))) cph_model_sim <- coxph(Surv(time, status) ~ gender + age + strata(cutTime), data = simData) summary(cph_model_sim) alive_data <- simData[simData[["status"]] == 0, ] linear_pred <- predict(cph_model_sim, newdata = alive_data) surv_prob_all <- survfit(cph_model_sim) estimated_surv_probs <- sapply(linear_pred, function(lp) surv_prob_all[["surv"]] * exp(lp)) stop_index <- sapply(estimated_surv_probs, function(s) min(which(s < 0.5))) median_times <- surv_prob_all[["time"]][stop_index] additional_survival_time_sim <- data.frame(PatientID = rownames(alive_data), MedianSurvivalTime = median_times - alive_data[["time"]]) additional_survival_time_sim ck <- as.data.frame(linear_pred)
73728131d9775cf322b72f66193020ae
{ "intermediate": 0.42274704575538635, "beginner": 0.29852622747421265, "expert": 0.2787266671657562 }
2,252
In pytorch how do I prepend zeros to a tensor to match a certain size?
6d36c2316ddd9622241cdc52bdc19e3c
{ "intermediate": 0.41184914112091064, "beginner": 0.15510140359401703, "expert": 0.43304944038391113 }
2,253
how to correctly measure my dict in python?
e88880f65a5a38a0b9598a14d25f0d7e
{ "intermediate": 0.48450952768325806, "beginner": 0.1618589460849762, "expert": 0.35363155603408813 }
2,254
Given a pytorch tensor of shape [batch_size, input_size], how do I prepend zeros to input_size to match a given length?
5dba202d49433ed54dd01816955d2e5c
{ "intermediate": 0.33533337712287903, "beginner": 0.11733344197273254, "expert": 0.5473331809043884 }
2,255
store local directory structure metadata into sqlite using c++,and support add file,remove file,add directory,remove directory,get file’s size, get directory’s size
75814e093b20808b5df39b37ce2b43ac
{ "intermediate": 0.5334694981575012, "beginner": 0.16369524598121643, "expert": 0.30283528566360474 }
2,256
firebase kotlin query to get one random row from database
a66e0320bb54a35600acd97a9cab416f
{ "intermediate": 0.6276436448097229, "beginner": 0.17852696776390076, "expert": 0.19382935762405396 }
2,257
Create a font for me in html
307dbe66c350c6c5b10115714d43d201
{ "intermediate": 0.35096275806427, "beginner": 0.29565420746803284, "expert": 0.35338300466537476 }
2,258
In pytorch, given a tensor of shape [batch_size, complete_input_size] with complete_input_size being variable, how do I turn it into a tensor of shape [batch_size, chunks, chunk_size] with the first chunk being padded with zeros to the left?
107f0c21f76831f7c61232c5452f4afd
{ "intermediate": 0.30779337882995605, "beginner": 0.10794936120510101, "expert": 0.5842573046684265 }
2,259
In pytorch, how do I turn a tensor of shape [batch_size, input_size] into [batch_size, chunks, chunk_size]?
22543d6aa638cd6bd048bdec9560bb47
{ "intermediate": 0.418072372674942, "beginner": 0.13171806931495667, "expert": 0.45020952820777893 }
2,260
Сделай порог ,относительно которого яркость пикселов меняется на черную или белую.private void processImage() { if (image != null) { int threshold = 100; // устанавливаем значение по умолчанию // Создаем панель для пороговых значений JPanel thresholdPanel = new JPanel(new GridLayout(1, 2)); // Создаем текстовое поле для порога JTextField thresholdField = new JTextField(Integer.toString(threshold)); thresholdPanel.add(new JLabel("Порог: ")); thresholdPanel.add(thresholdField); // Создаем окно для ввода пороговых значений int result = JOptionPane.showConfirmDialog(null, thresholdPanel, "Введите пороговое значение", JOptionPane.OK_CANCEL_OPTION); if (result == JOptionPane.OK_OPTION) { // Обновляем порог threshold = Integer.parseInt(thresholdField.getText()); BufferedImage binarizedImage = binarizeImage(image, threshold); if (binarizedImage != null) { // ИЗМЕНЕНИЕ: передаем в метод setImageIcon() бинаризованное изображение setImageIcon(binarizedImage); saveImage(binarizedImage); // Создаем гистограмму для изображения int[] histogram = new int[256]; // Создаем гистограмму для исходного изображения for (int i = 0; i < image.getWidth(); i++) { for (int j = 0; j < image.getHeight(); j++) { int pixel = image.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; // Вычисляем яркость пикселя int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } // Обновляем гистограмму для бинаризованного изображения int[] binarizedHistogram = new int[256]; for (int i = 0; i < binarizedImage.getWidth(); i++) { for (int j = 0; j < binarizedImage.getHeight(); j++) { int pixel = binarizedImage.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); binarizedHistogram[brightness]++; } } // Создаем окно для отображения гистограммы JFrame histogramFrame = new JFrame("Гистограмма"); histogramFrame.setLayout(new GridLayout(2, 1)); // Создаем панель для гистограммы исходного изображения JPanel histogramPanel = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(histogram).max().getAsInt(); for (int i = 0; i < 256; i++) { int height = (int) (300.0 * histogram[i] / max); g.fillRect(i, 300 - height, 1, height); } } }; histogramPanel.setPreferredSize(new Dimension(256, 300)); histogramFrame.add(new JLabel("Гистограмма исходного изображения")); histogramFrame.add(histogramPanel); // Создаем панель для гистограммы бинаризованного изображения JPanel histogramPanel2 = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(binarizedHistogram).max().getAsInt(); for (int i = 0; i < 256; i++) { int height = (int) (300.0 * binarizedHistogram[i] / max); g.fillRect(i, 300 - height, 1, height); } } }; histogramPanel2.setPreferredSize(new Dimension(256, 300)); histogramFrame.add(new JLabel("Гистограмма бинаризованного изображения")); histogramFrame.add(histogramPanel2); histogramFrame.pack(); histogramFrame.setLocationRelativeTo(null); histogramFrame.setVisible(true); } else { JOptionPane.showMessageDialog(null, "Ошибка при бинаризации изображения.", "Ошибка", JOptionPane.ERROR_MESSAGE); } } } }private BufferedImage binarizeImage(BufferedImage image, int threshold) { int width = image.getWidth(); int height = image.getHeight(); BufferedImage binarizedImage = new BufferedImage(width, height, BufferedImage.TYPE_BYTE_BINARY); Graphics2D g = binarizedImage.createGraphics(); g.drawImage(image, 0, 0, null); for (int i = 0; i < width; i++) { for (int j = 0; j < height; j++) { int pixel = binarizedImage.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); if (brightness >= threshold) { binarizedImage.setRGB(i, j, Color.WHITE.getRGB()); } else { binarizedImage.setRGB(i, j, Color.BLACK.getRGB()); } } } return binarizedImage; }
9156492512f290faeb357733063cce11
{ "intermediate": 0.23573990166187286, "beginner": 0.45958247780799866, "expert": 0.3046776354312897 }
2,261
in the below code, i want to set the speed of the drone to be 3 meter per seconds from pymavlink import mavutil import math import time class Drone: def __init__(self, system_id, connection): # Updated to use double underscores self.system_id = system_id self.connection = connection def set_mode(self, mode): self.connection.mav.set_mode_send( self.system_id, mavutil.mavlink.MAV_MODE_FLAG_CUSTOM_MODE_ENABLED, mode ) def arm(self, arm=True): self.connection.mav.command_long_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_CMD_COMPONENT_ARM_DISARM, 0, int(arm), 0, 0, 0, 0, 0, 0) def takeoff(self, altitude): self.connection.mav.command_long_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, altitude) def send_waypoint(self, wp): self.connection.mav.send(mavutil.mavlink.MAVLink_set_position_target_global_int_message( 10, self.system_id, self.connection.target_component, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT, int(0b110111111000), int(wp[0] * 10 ** 7), int(wp[1] * 10 ** 7), wp[2], 0, 0, 0, 0, 0, 0, 0 )) def get_position(self): self.connection.mav.request_data_stream_send( self.system_id, self.connection.target_component, mavutil.mavlink.MAV_DATA_STREAM_POSITION, 1, 1) while True: msg = self.connection.recv_match(type='GLOBAL_POSITION_INT', blocking=True) if msg.get_srcSystem() == self.system_id: return (msg.lat / 10 ** 7, msg.lon / 10 ** 7, msg.alt / 10 ** 3) class PIDController: def __init__(self, kp, ki, kd, limit): # Updated to use double underscores self.kp = kp self.ki = ki self.kd = kd self.limit = limit self.prev_error = 0 self.integral = 0 def update(self, error, dt): derivative = (error - self.prev_error) / dt self.integral += error * dt self.integral = max(min(self.integral, self.limit), -self.limit) # Clamp the integral term output = self.kp * error + self.ki * self.integral + self.kd * derivative self.prev_error = error return output distance = 5 # Distance in meters angle = 60 # Angle in degrees kp = 0.1 ki = 0.01 kd = 0.05 pid_limit = 0.0001 # Moved pid_lat and pid_lon initialization here with correct arguments pid_lat = PIDController(kp, ki, kd, pid_limit) pid_lon = PIDController(kp, ki, kd, pid_limit) def calculate_follower_coordinates(wp, distance, angle): earth_radius = 6371000.0 # in meters latitude_change = (180 * distance * math.cos(math.radians(angle))) / (math.pi * earth_radius) longitude_change = (180 * distance * math.sin(math.radians(angle))) / ( math.pi * earth_radius * math.cos(math.radians(wp[0]))) new_latitude = wp[0] + latitude_change new_longitude = wp[1] + longitude_change return (new_latitude, new_longitude, wp[2]) waypoints = [ (28.5861474, 77.3421320, 10), (28.5859040, 77.3420736, 10) ] the_connection = mavutil.mavlink_connection('/dev/ttyUSB0', baud=57600) master_drone = Drone(3, the_connection) follower_drone = Drone(2, the_connection) # Set mode to Guided and arm both drones for drone in [master_drone, follower_drone]: drone.set_mode(4) drone.arm() drone.takeoff(10) def abort(): # Updated this function to check for user input and break the infinite loop print("Type 'abort' to return to Launch and disarm motors.") start_time = time.monotonic() while time.monotonic() - start_time < 7: user_input = input("Time left: {} seconds \n".format(int(7 - (time.monotonic() - start_time)))) if user_input.lower() == "abort": print("Returning to Launch and disarming motors…") for drone in [master_drone, follower_drone]: drone.set_mode(6) # RTL mode drone.arm(False) # Disarm motors return True return False mode = the_connection.mode_mapping()[the_connection.flightmode] # mode = 4 print(f"{mode}") time_start = time.time() while mode == 4: # Abort drones if the abort command is given if abort(): exit() if time.time() - time_start >= 1: # Check if one second passed for master_wp in waypoints: master_drone.send_waypoint(master_wp) follower_position = master_drone.get_position() if follower_position is None: # Check if position is None (timeout exceeded) break follower_wp = calculate_follower_coordinates(follower_position, distance, angle) # Call PID controller update for latitude and longitude dt = time.time() - time_start pid_lat_output = pid_lat.update(follower_wp[0] - follower_position[0], dt) pid_lon_output = pid_lon.update(follower_wp[1] - follower_position[1], dt) # Adjust waypoint position using PID controller output adjusted_follower_wp = ( follower_wp[0] + pid_lat_output, follower_wp[1] + pid_lon_output, follower_wp[2]) follower_drone.send_waypoint(adjusted_follower_wp) else: mode_mapping = the_connection.mode_mapping() current_mode = the_connection.flightmode mode = mode_mapping[current_mode] time_start = time.time() time.sleep(0.1) # Reduce sleep time to avoid too much delay continue break # Break out of the loop if position is None (timeout exceeded) # Set mode to RTL and disarm both drones for drone in [master_drone, follower_drone]: drone.set_mode(6) drone.arm(False) the_connection.close()
196df172c4c74ec1e53fe13ae4c9dd1b
{ "intermediate": 0.2873208224773407, "beginner": 0.4376147985458374, "expert": 0.2750643789768219 }
2,262
我要以下代码inputs:zq1(18),zq2(110),sb(31); variables:var1(0); var1=(Average(close,zq1)-wAverage(close,zq2)); if Average(var1,sb) crosses over 0 then Buy Next Bar at market; if Average(var1,sb) crosses under 0 then Sell Short Next Bar at market; 复制到mql5
1a1320d20edb092ac05186dd9ff626f5
{ "intermediate": 0.2782939374446869, "beginner": 0.4802166223526001, "expert": 0.241489440202713 }
2,263
hi there telkl mehow to visualise this code in airsim simulator from pymavlink import mavutil import math import time class Drone: def __init__(self, system_id, connection): # Updated to use double underscores self.system_id = system_id self.connection = connection def set_mode(self, mode): self.connection.mav.set_mode_send( self.system_id, mavutil.mavlink.MAV_MODE_FLAG_CUSTOM_MODE_ENABLED, mode ) def arm(self, arm=True): self.connection.mav.command_long_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_CMD_COMPONENT_ARM_DISARM, 0, int(arm), 0, 0, 0, 0, 0, 0) def takeoff(self, altitude): self.connection.mav.command_long_send(self.system_id, self.connection.target_component, mavutil.mavlink.MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, altitude) def send_waypoint(self, wp): self.connection.mav.send(mavutil.mavlink.MAVLink_set_position_target_global_int_message( 10, self.system_id, self.connection.target_component, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT, int(0b110111111000), int(wp[0] * 10 ** 7), int(wp[1] * 10 ** 7), wp[2], 0, 0, 0, 0, 0, 0, 0 )) def get_position(self): self.connection.mav.request_data_stream_send( self.system_id, self.connection.target_component, mavutil.mavlink.MAV_DATA_STREAM_POSITION, 1, 1) while True: msg = self.connection.recv_match(type='GLOBAL_POSITION_INT', blocking=True) if msg.get_srcSystem() == self.system_id: return (msg.lat / 10 ** 7, msg.lon / 10 ** 7, msg.alt / 10 ** 3) class PIDController: def __init__(self, kp, ki, kd, limit): # Updated to use double underscores self.kp = kp self.ki = ki self.kd = kd self.limit = limit self.prev_error = 0 self.integral = 0 def update(self, error, dt): derivative = (error - self.prev_error) / dt self.integral += error * dt self.integral = max(min(self.integral, self.limit), -self.limit) # Clamp the integral term output = self.kp * error + self.ki * self.integral + self.kd * derivative self.prev_error = error return output distance = 5 # Distance in meters angle = 60 # Angle in degrees kp = 0.1 ki = 0.01 kd = 0.05 pid_limit = 0.0001 # Moved pid_lat and pid_lon initialization here with correct arguments pid_lat = PIDController(kp, ki, kd, pid_limit) pid_lon = PIDController(kp, ki, kd, pid_limit) def calculate_follower_coordinates(wp, distance, angle): earth_radius = 6371000.0 # in meters latitude_change = (180 * distance * math.cos(math.radians(angle))) / (math.pi * earth_radius) longitude_change = (180 * distance * math.sin(math.radians(angle))) / ( math.pi * earth_radius * math.cos(math.radians(wp[0]))) new_latitude = wp[0] + latitude_change new_longitude = wp[1] + longitude_change return (new_latitude, new_longitude, wp[2]) waypoints = [ (28.5861474, 77.3421320, 10), (28.5859040, 77.3420736, 10) ] the_connection = mavutil.mavlink_connection('/dev/ttyUSB0', baud=57600) master_drone = Drone(3, the_connection) follower_drone = Drone(2, the_connection) # Set mode to Guided and arm both drones for drone in [master_drone, follower_drone]: drone.set_mode(4) drone.arm() drone.takeoff(10) def abort(): # Updated this function to check for user input and break the infinite loop print("Type 'abort' to return to Launch and disarm motors.") start_time = time.monotonic() while time.monotonic() - start_time < 7: user_input = input("Time left: {} seconds \n".format(int(7 - (time.monotonic() - start_time)))) if user_input.lower() == "abort": print("Returning to Launch and disarming motors…") for drone in [master_drone, follower_drone]: drone.set_mode(6) # RTL mode drone.arm(False) # Disarm motors return True return False mode = the_connection.mode_mapping()[the_connection.flightmode] # mode = 4 print(f"{mode}") time_start = time.time() while mode == 4: # Abort drones if the abort command is given if abort(): exit() if time.time() - time_start >= 1: # Check if one second passed for master_wp in waypoints: master_drone.send_waypoint(master_wp) follower_position = master_drone.get_position() if follower_position is None: # Check if position is None (timeout exceeded) break follower_wp = calculate_follower_coordinates(follower_position, distance, angle) # Call PID controller update for latitude and longitude dt = time.time() - time_start pid_lat_output = pid_lat.update(follower_wp[0] - follower_position[0], dt) pid_lon_output = pid_lon.update(follower_wp[1] - follower_position[1], dt) # Adjust waypoint position using PID controller output adjusted_follower_wp = ( follower_wp[0] + pid_lat_output, follower_wp[1] + pid_lon_output, follower_wp[2]) follower_drone.send_waypoint(adjusted_follower_wp) else: mode_mapping = the_connection.mode_mapping() current_mode = the_connection.flightmode mode = mode_mapping[current_mode] time_start = time.time() time.sleep(0.1) # Reduce sleep time to avoid too much delay continue break # Break out of the loop if position is None (timeout exceeded) # Set mode to RTL and disarm both drones for drone in [master_drone, follower_drone]: drone.set_mode(6) drone.arm(False) the_connection.close()
98dccb3b8c1a14ec10cc706817031740
{ "intermediate": 0.30553627014160156, "beginner": 0.38330337405204773, "expert": 0.3111603260040283 }
2,264
我要以下代码inputs:zq1(18),zq2(110),sb(31); variables:var1(0); var1=(Average(close,zq1)-wAverage(close,zq2)); if Average(var1,sb) crosses over 0 then Buy Next Bar at market; if Average(var1,sb) crosses under 0 then Sell Short Next Bar at market; 复制到mql5
fd579d02b64d4ebe0a34cf0ff55641fc
{ "intermediate": 0.2782939374446869, "beginner": 0.4802166223526001, "expert": 0.241489440202713 }
2,265
Given a pytorch tensor, extract a random segment 10000 values long and save it into a new tensor.
30743731cf9dacd16bb96dea4486b75d
{ "intermediate": 0.30168330669403076, "beginner": 0.13933303952217102, "expert": 0.5589836239814758 }
2,266
Generate a Inter7000Returns HTML page, based on Inter7000Webs website. It is now named I7R or I7Returns but is succeeded by I8K anyway after I7RR comes out. It is inspired by the predecessor, I7W or Inter7000Webs <html> <head> <title>Inter7000Webs</title> <link rel=stylesheet href="style.css"> </head> <body> <header> <h1>Welcome to Inter7000Webs</h1> <img src=logo.png style=height:40px> </header><br> <b>Inter7000Webs</b> (I7W) is the 4th milestone of I4K websites. It is based on the successful I6OLLE website, which was created by the I6OLLE team. <br><h1>Our Links</h1> Links include:<br><br> <ul> <li><a href="https://i6olle.neocities.org/">I6OLLE</a>, old website</li> <li><a href="https://inter6rr.neocities.org/">Inter6000 Refreshed Refresh</a>, older website</li> <li><a href="https://inter5k.neocities.org/">Inter5000</a>, second I4K website milestone</li> <li><a href="https://neocities.org/">Neocities</a>, main host</li> </ul> <footer style="width: 100%">Made by Inter7000Webs Team<br>Credits to Neocities and the I4K Team for their contributions to this project</footer> </body> </html>
66a717e1348b45056ee57f60da4050ca
{ "intermediate": 0.3597636818885803, "beginner": 0.29392361640930176, "expert": 0.3463127613067627 }
2,267
generate a D3.js to illustrate a robot exploring environment such that school students can understand a concept about Reinforcement learning
7c5bc4d4f848fb0d8485c9064be753b9
{ "intermediate": 0.3410777449607849, "beginner": 0.2372789829969406, "expert": 0.42164328694343567 }
2,268
I have loaded the uncompressed enwik8 into a pytorch tensor, I need to extract batch_size random segments from it and compile them in a new tensor [batch_size, chunk_size].
9a113c1124bdc969c424c0353c99976c
{ "intermediate": 0.44574853777885437, "beginner": 0.19334810972213745, "expert": 0.3609033226966858 }
2,269
Fix the code. } private void brightnessImage() { if (image != null) { int minBrightness = 50; int maxBrightness = 50; // Create panels for min and max brightness thresholds JPanel minBrightnessPanel = new JPanel(new GridLayout(1, 2)); JPanel maxBrightnessPanel = new JPanel(new GridLayout(1, 2)); // Create text fields for threshold values JTextField minBrightnessField = new JTextField(Integer.toString(minBrightness)); JTextField maxBrightnessField = new JTextField(Integer.toString(maxBrightness)); minBrightnessPanel.add(new JLabel("Min threshold: ")); maxBrightnessPanel.add(new JLabel("Max threshold: ")); minBrightnessPanel.add(minBrightnessField); maxBrightnessPanel.add(maxBrightnessField); // Create window for inputting thresholds int result = JOptionPane.showConfirmDialog(null, new Object[] { minBrightnessPanel, maxBrightnessPanel }, "Enter Threshold Values", JOptionPane.OK_CANCEL_OPTION); if (result == JOptionPane.OK_OPTION) { // Update threshold values minBrightness = Integer.parseInt(minBrightnessField.getText()); maxBrightness = Integer.parseInt(maxBrightnessField.getText()); BufferedImage binarizedImage = binarizeImage(image, minBrightness, maxBrightness); if (binarizedImage != null) { setImageIcon(binarizedImage); saveImage(binarizedImage); // Create histogram for original image int[] histogram = new int[256]; for (int i = 0; i < image.getWidth(); i++) { for (int j = 0; j < image.getHeight(); j++) { int pixel = image.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } // Create histogram for binarized image int[] binarizedHistogram = new int[256]; for (int i = 0; i < binarizedImage.getWidth(); i++) { for (int j = 0; j < binarizedImage.getHeight(); j++) { int pixel = binarizedImage.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); binarizedHistogram[brightness]++; } } // Create window for displaying histograms JFrame histogramFrame = new JFrame("Histograms"); histogramFrame.setLayout(new GridLayout(2, 2, 10, 10)); // Panel for original image histogram JPanel histogramPanel = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(histogram).max().getAsInt(); for (int i = 0; i < 256; i++) { int height = (int) (300.0 * histogram[i] / max); g.fillRect(i, 300 - height, 1, height); } } }; histogramPanel.setBorder(BorderFactory.createLineBorder(Color.BLACK)); histogramPanel.setPreferredSize(new Dimension(256, 300)); histogramFrame.add(new JLabel("Original Image")); histogramFrame.add(histogramPanel); // Panel for binarized image histogram JPanel binarizedHistogramPanel = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(binarizedHistogram).max().getAsInt(); for (int i = 0; i < 256; i++) { int height = (int) (300.0 * binarizedHistogram[i] / max); g.fillRect(i, 300 - height, 1, height); } } }; binarizedHistogramPanel.setBorder(BorderFactory.createLineBorder(Color.BLACK)); binarizedHistogramPanel.setPreferredSize(new Dimension(256, 300)); histogramFrame.add(new JLabel("Binarized Image")); histogramFrame.add(binarizedHistogramPanel); histogramFrame.pack(); histogramFrame.setLocationRelativeTo(null); histogramFrame.setVisible(true); } } } } private BufferedImage brightnessSlice(BufferedImage image, int minBrightness, int maxBrightness) { BufferedImage brightnessSliceImage = new BufferedImage(image.getWidth(), image.getHeight(), BufferedImage.TYPE_INT_RGB); for (int i = 0; i < image.getWidth(); i++) { for (int j = 0; j < image.getHeight(); j++) { int rgb = image.getRGB(i, j); int r = (rgb & 0x00ff0000) >> 16; int g = (rgb & 0x0000ff00) >> 8; int b = rgb & 0x000000ff; int brightness = (int) (0.2126 * r + 0.7152 * g + 0.0722 * b); // расчет яркости пикселя if (brightness >= minBrightness && brightness <= maxBrightness) { brightnessSliceImage.setRGB(i, j, Color.WHITE.getRGB()); } else { brightnessSliceImage.setRGB(i, j, Color.BLACK.getRGB()); } } } return brightnessSliceImage; }
f631b6e7a4d35f4c85c2d7837cb8af80
{ "intermediate": 0.29093337059020996, "beginner": 0.45328032970428467, "expert": 0.25578632950782776 }
2,270
Are python arguments to function passed by reference?
5459a73cc93ed3d699433a05fb517bcf
{ "intermediate": 0.3608170747756958, "beginner": 0.3149053156375885, "expert": 0.3242776095867157 }
2,271
make a pinescript v4 code that plots a buy signal when price breaks out of 30 bars, 90 bars, 180 bars, 360 bars, and more than 360 bars resistance
f1cd0121e0aadb86209a7f0b9a9e8349
{ "intermediate": 0.27052921056747437, "beginner": 0.13301923871040344, "expert": 0.5964515805244446 }
2,272
Do you notice anything wrong with this function? def get_batch(dataset, batch_size, input_size, output_size): input_batch = torch.zeros(batch_size, input_size, dtype=torch.float32) target_batch = torch.zeros(batch_size, output_size, dtype=torch.float32) for i in range(batch_size): start = random.randint(0, dataset.size(0) - (input_size+output_size)) input_batch[i] = dataset[start:start+input_size] target_batch[i] = dataset[start+input_size:start+input_size+output_size] return input_batch, target_batch
8e0547d0e0553b52a9799cceaad547f8
{ "intermediate": 0.48439016938209534, "beginner": 0.2699121832847595, "expert": 0.24569767713546753 }
2,273
what does below R software code try to tell? remove(list=ls()) # Load the required package library(survival) set.seed(42) # Generate the sample dataset nPatients <- 200 status <- rbinom(nPatients, 1, 0.7) gender <- rbinom(nPatients, 1, 0.5) age <- rnorm(nPatients, mean = 60, sd = 10) time <- rexp(nPatients, rate = 0.015) simData <- data.frame(time = time, status = status, gender = gender, age = age) # Fit the Cox proportional hazards model cph_model_updated <- coxph(Surv(time, status) ~ gender + age, data = simData) # Get the data for alive patients only alive_data <- simData[simData[["status"]] == 0, ] # Calculate linear predictions for alive patients linear_pred_updated <- predict(cph_model_updated, newdata = alive_data) length(linear_pred_updated) # Estimate survival probabilities for alive patients surv_prob_all_updated <- survfit(cph_model_updated) summary(surv_prob_all_updated) estimated_surv_probs_updated <- list() for(i in 1:length(linear_pred_updated)) { lp <- linear_pred_updated[i] patient_current_time <- alive_data[i, "time"] patient_times_start_index <- which.min(abs(surv_prob_all_updated[["time"]] - patient_current_time)) patient_surv_probs <- surv_prob_all_updated[["surv"]][patient_times_start_index:length(surv_prob_all_updated[["time"]])] * exp(lp) estimated_surv_probs_updated[[i]] <- patient_surv_probs } weighted_avg_time <- function(surv_probs, surv_times) { sum(surv_probs * surv_times) / sum(surv_probs) } # Calculate adjusted survival probabilities for each alive patient conditional_surv_probs_single_point <- lapply(1:length(alive_data), function(i) { patient_current_time <- alive_data[i, "time"] patient_times_start_index <- which.min(abs(surv_prob_all_updated[["time"]] - patient_current_time)) patient_surv_probs_cumulative <- estimated_surv_probs_updated[[i]] # Calculate conditional single time point survival probabilities patient_surv_probs_single_point <- c(1, diff(patient_surv_probs_cumulative) / head(patient_surv_probs_cumulative, -1)) patient_surv_probs_single_point }) # Calculate additional survival time estimates based on conditional single time point survival probabilities additional_survival_time_updated_wa_conditional <- data.frame(PatientID = rownames(alive_data)) wa_median_times_updated_conditional <- numeric(nrow(alive_data)) for (i in 1:nrow(alive_data)) { start_time_index <- which.min(abs(surv_prob_all_updated[["time"]] - alive_data[i, "time"])) wa_median_times_updated_conditional[i] <- weighted_avg_time(conditional_surv_probs_single_point[[i]], surv_prob_all_updated[["time"]][start_time_index:length(surv_prob_all_updated[["time"]])]) } additional_survival_time_updated_wa_conditional$WeightedAverageSurvivalTime <- wa_median_times_updated_conditional - alive_data[["time"]] # View the updated additional_survival_time_updated_wa_conditional additional_survival_time_updated_wa_conditional
0f1ebe84acaad73cd7b69afaa0be5388
{ "intermediate": 0.35606908798217773, "beginner": 0.44713881611824036, "expert": 0.1967920958995819 }
2,274
"import java.util.Scanner; public class GameModule { private static final int NUM_ROUNDS = 4; public static void main(String[] args) { Scanner scanner = new Scanner(System.in); System.out.println("HighSum GAME"); System.out.println("================================================================================"); String playerName = ""; String playerPassword = ""; boolean loggedIn = false; // Add user authentication while (!loggedIn) { playerName = Keyboard.readString("Enter Login name > "); playerPassword = Keyboard.readString("Enter Password > "); if (playerName.equals("IcePeak") && playerPassword.equals("password")) { loggedIn = true; } else { System.out.println("Username or Password is incorrect. Please try again."); } } Player player = new Player(playerName, playerPassword, 100); Dealer dealer = new Dealer(); Deck deck = new Deck(); boolean nextGame = true; while (nextGame) { System.out.println("================================================================================"); System.out.println(playerName + ", You have " + player.getChips() + " chips"); System.out.println("--------------------------------------------------------------------------------"); System.out.println("Game starts - Dealer shuffles deck."); deck.shuffle(); dealer.clearCardsOnHand(); player.clearCardsOnHand(); // Switch the order of dealer and player to deal cards to the dealer first for (int i = 0; i < 2; i++) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } int betOnTable = 0; for (int round = 1; round <= NUM_ROUNDS; round++) { System.out.println("--------------------------------------------------------------------------------"); System.out.println("Dealer dealing cards - ROUND " + round); System.out.println("--------------------------------------------------------------------------------"); // Show dealer’s cards first, then player’s cards dealer.showCardsOnHand(); player.showCardsOnHand(); System.out.print("Value: " + player.getTotalCardsValue()); System.out.println(); if (round > 1) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } if (round == 4) { dealer.revealHiddenCard(); } // Add the option to quit or call if (round >= 2 && player.getTotalCardsValue() > dealer.getTotalCardsValue()) { boolean validChoice = false; while (!validChoice) { String choice = Keyboard.readString("Do you want to [C]all or [Q]uit?: ").toLowerCase(); if (choice.equals("c")) { validChoice = true; betOnTable = Math.min(Keyboard.readInt("Place your bet > "), 10); // Limit dealer bet to 10 chips player.deductChips(betOnTable); System.out.println("You are left with " + player.getChips() + " chips"); System.out.println("Bet on table: " + betOnTable); } else if (choice.equals("q")) { validChoice = true; nextGame = false; round = NUM_ROUNDS + 1; // Skip the remaining rounds break; } } } } // Determine the winner after the game ends System.out.println("--------------------------------------------------------------------------------"); System.out.println("Game End - Dealer reveal hidden cards"); System.out.println("--------------------------------------------------------------------------------"); dealer.showCardsOnHand(); System.out.println("Value: " + dealer.getTotalCardsValue()); player.showCardsOnHand(); System.out.println("Value: " + player.getTotalCardsValue()); if (player.getTotalCardsValue() > dealer.getTotalCardsValue()) { System.out.println(playerName + " Wins"); player.addChips(betOnTable); } else { System.out.println("Dealer Wins"); } System.out.println(playerName + ", You have " + player.getChips() + " chips"); System.out.println("Dealer shuffles used cards and place behind the deck."); System.out.println("--------------------------------------------------------------------------------"); boolean valid = false; while (!valid) { String input = Keyboard.readString("Next Game? (Y/N) > ").toLowerCase(); if (input.equals("y")) { nextGame = true; valid = true; } else if (input.equals("n")) { nextGame = false; valid = true; } else { System.out.println("*** Please enter Y or N ***"); } } } } } import java.util.ArrayList; import java.util.Random; public class Deck { private ArrayList<Card> cards; public Deck() { cards = new ArrayList<Card>(); String[] suits = {"Heart", "Diamond", "Spade", "Club"}; for (int i = 0; i < suits.length; i++) { String suit = suits[i]; Card card = new Card(suit, "Ace", 1); cards.add(card); for (int n = 2; n <= 10; n++) { Card aCard = new Card(suit, n + "", n); cards.add(aCard); } Card jackCard = new Card(suit, "Jack", 10); cards.add(jackCard); Card queenCard = new Card(suit, "Queen", 10); cards.add(queenCard); Card kingCard = new Card(suit, "King", 10); cards.add(kingCard); } } public void shuffle() { Random random = new Random(); for (int i = 0; i < 1000; i++) { int indexA = random.nextInt(cards.size()); int indexB = random.nextInt(cards.size()); Card cardA = cards.get(indexA); Card cardB = cards.get(indexB); cards.set(indexA, cardB); cards.set(indexB, cardA); } } public Card dealCard() { return cards.remove(0); } } public class Dealer extends Player { public Dealer() { super("Dealer", "", 0); } @Override public void addCard(Card card) { super.addCard(card); // Hide only the first card for the dealer if (cardsOnHand.size() == 1) { cardsOnHand.get(0).hide(); } } @Override public void showCardsOnHand() { System.out.println(getLoginName()); int numCards = cardsOnHand.size(); for (int i = 0; i < numCards; i++) { System.out.print(cardsOnHand.get(i)); if (i < numCards - 1) { System.out.print(", "); } } System.out.println("\n"); } public void revealHiddenCard() { if (!cardsOnHand.isEmpty()) { cardsOnHand.get(0).reveal(); } } } public class Card { private String suit; private String name; private int value; private boolean hidden; public Card(String suit, String name, int value) { this.suit = suit; this.name = name; this.value = value; this.hidden = false; // Change this line to make cards revealed by default } public int getValue() { return value; } public void reveal() { this.hidden = false; } public boolean isHidden() { return hidden; } @Override public String toString() { return this.hidden ? "<HIDDEN CARD>" : "<" + this.suit + " " + this.name + ">"; } public static void main(String[] args) { Card card = new Card("Heart", "Ace", 1); System.out.println(card); } public void hide() { this.hidden = true; } } public class User { private String loginName; private String password; public User(String loginName, String password) { this.loginName = loginName; this.password = password; } public String getLoginName() { return loginName; } public boolean checkPassword(String password) { return this.password.equals(password); } } import java.util.ArrayList; public class Player extends User { private int chips; protected ArrayList<Card> cardsOnHand; public Player(String loginName, String password, int chips) { super(loginName, password); this.chips = chips; this.cardsOnHand = new ArrayList<Card>(); } public void addCard(Card card) { this.cardsOnHand.add(card); } public void showCardsOnHand() { System.out.println(getLoginName()); int numCards = cardsOnHand.size(); for (int i = 0; i < numCards; i++) { if (i < numCards - 1) { System.out.print(cardsOnHand.get(i) + ", "); } else { System.out.print(cardsOnHand.get(i)); } } System.out.println("\n"); } public int getChips() { return this.chips; } public void addChips(int amount) { this.chips += amount; } public void deductChips(int amount) { if (amount < chips) this.chips -= amount; } public int getTotalCardsValue() { int totalValue = 0; for (Card card : cardsOnHand) { totalValue += card.getValue(); } return totalValue; } public int getNumberOfCards() { return cardsOnHand.size(); } public void clearCardsOnHand() { cardsOnHand.clear(); } } public class Keyboard { public static String readString(String prompt) { System.out.print(prompt); return new java.util.Scanner(System.in).nextLine(); } public static int readInt(String prompt) { int input = 0; boolean valid = false; while (!valid) { try { input = Integer.parseInt(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter an integer ***"); } } return input; } public static double readDouble(String prompt) { double input = 0; boolean valid = false; while (!valid) { try { input = Double.parseDouble(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter a double ***"); } } return input; } public static float readFloat(String prompt) { float input = 0; boolean valid = false; while (!valid) { try { input = Float.parseFloat(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter a float ***"); } } return input; } public static long readLong(String prompt) { long input = 0; boolean valid = false; while (!valid) { try { input = Long.parseLong(readString(prompt)); valid = true; } catch (NumberFormatException e) { e.printStackTrace(); System.out.println("*** Please enter a long ***"); } } return input; } public static char readChar(String prompt) { char input = 0; boolean valid = false; while (!valid) { String temp = readString(prompt); if (temp.length() != 1) { System.out.println("*** Please enter a character ***"); } else { input = temp.charAt(0); valid = true; } } return input; } public static boolean readBoolean(String prompt) { boolean valid = false; while (!valid) { String input = readString(prompt); if (input.equalsIgnoreCase("yes") || input.equalsIgnoreCase("y") || input.equalsIgnoreCase("true") || input.equalsIgnoreCase("t")) { return true; } else if (input.equalsIgnoreCase("no") || input.equalsIgnoreCase("n") || input.equalsIgnoreCase("false") || input.equalsIgnoreCase("f")) { return false; } else { System.out.println("*** Please enter Yes/No or True/False ***"); } } return false; } public static java.util.Date readDate(String prompt) { java.util.Date date = null; boolean valid = false; while (!valid) { try { String input = readString(prompt).trim(); if (input.matches("\\d\\d/\\d\\d/\\d\\d\\d\\d")) { int day = Integer.parseInt(input.substring(0, 2)); int month = Integer.parseInt(input.substring(3, 5)); int year = Integer.parseInt(input.substring(6, 10)); java.util.Calendar cal = java.util.Calendar.getInstance(); cal.setLenient(false); cal.set(year, month - 1, day, 0, 0, 0); date = cal.getTime(); valid = true; } else { System.out.println("*** Please enter a date (DD/MM/YYYY) ***"); } } catch (IllegalArgumentException e) { System.out.println("*** Please enter a date (DD/MM/YYYY) ***"); } } return date; } private static String quit = "0"; public static int getUserOption(String title, String[] menu) { displayMenu(title, menu); int choice = Keyboard.readInt("Enter Choice --> "); while (choice > menu.length || choice < 0) { choice = Keyboard.readInt("Invalid Choice, Re-enter --> "); } return choice; } private static void displayMenu(String title, String[] menu) { line(80, "="); System.out.println(title.toUpperCase()); line(80, "-"); for (int i = 0; i < menu.length; i++) { System.out.println("[" + (i + 1) + "] " + menu[i]); } System.out.println("[" + quit + "] Quit"); line(80, "-"); } public static void line(int len, String c) { System.out.println(String.format("%" + len + "s", " ").replaceAll(" ", c)); } }" The following code above is an ide program for a highsum card game. The keyboard class must not be changed. edit below the "Value: ", it should display player or dealer call depending on who’s card is bigger. If the player is bigger, player can state bet, if the dealer is bigger, dealer can bet any amount with the max bet of 10 chips. the display should look something like this : “Player/Dealer call, state bet: 10 Player, You are left with 90 chips Bet on table : 20”
328d578f385e0b4987ebb68b8a9a5aca
{ "intermediate": 0.3257203996181488, "beginner": 0.5130680203437805, "expert": 0.1612115353345871 }
2,275
Math problem : x^2=-1 + 2x , Solve for X .
2441d54126bf969ff6f6715c51918d03
{ "intermediate": 0.36606693267822266, "beginner": 0.4362143874168396, "expert": 0.19771873950958252 }
2,276
You are making a text predictor language model that takes a "input_size" section of text and predicts "output_size" continuation characters. Given a pytorch tensor of shape [raw_values_amount] that acts as the dataset, create a DataLoader that extracts batch_size randomly selected sections of the dataset.
5fd8a5345f81b65bd0bccf86253c23cb
{ "intermediate": 0.2697164714336395, "beginner": 0.09254401922225952, "expert": 0.6377394795417786 }
2,277
Use the following function together with a pytorch DataLoader: def get_batch(dataset, batch_size, input_size, output_size): input_batch = torch.zeros(batch_size, input_size, dtype=torch.float16) target_batch = torch.zeros(batch_size, output_size, dtype=torch.float16) for i in range(batch_size): start = random.randint(0, dataset.size(0) - (input_size+output_size)) input_batch[i] = dataset[start:start+input_size] target_batch[i] = dataset[start+input_size:start+input_size+output_size] return input_batch, target_batch
729251b7cfc1d292d9fdbace7d3b3364
{ "intermediate": 0.4755631685256958, "beginner": 0.2885989546775818, "expert": 0.2358379065990448 }
2,278
Let's simulate a text adventure game where the grammar is basically Linux commands, but the goal is still the same as any dungeon crawl. Commands like "CD" and "LS" move and show interactive objects, "CAT" provides additional detail, etc. Be creative! You will be the game engine. You are basically just acting like a Bash shell, so your initial response to this prompt will just be to display a prompt. I will be the player. I will supply all commands to you. You will respond to the output with a code block. If you need to tell me something that is not strictly related to my command output (e.g. it is out of character), then show it to me as if it was written using the `wall` command by the root user.
fdfa1fda6ce35b236f4b5cdc6dab7b54
{ "intermediate": 0.21020923554897308, "beginner": 0.6293214559555054, "expert": 0.16046923398971558 }
2,279
Hello! Is there a way you can optimize my python code? n=int(input()) s=input() nach=0 flashok=False mass=[] for J in range(n): if s[J] == 'X': nach = len(mass) mass.append('.') flashok=False elif s[J]=='.': mass.append(s[J]) flashok=False elif not(flashok): mass.append('7') flashok=True def otvet(mass, nach): if nach==len(mass)-1: return True z1=0 z2=0 flag1 = False flag2 = False if nach!=0 and mass[nach-1]!='.': for z1 in range(nach-2,-1,-1): if mass[z1]=='.': flag1 = True mass[nach]='1' break if mass[nach+1]!='.': for z2 in range(nach+2,len(mass)): if mass[z2]==".": flag2=True mass[nach]='1' break boolik=False if flag1 and flag2: boolik=otvet(mass,z1) or otvet(mass, z2) elif flag1: boolik=otvet(mass, z1) elif flag2: boolik=otvet(mass, z2) mass[nach]='.' return boolik if nach==len(mass)-1: print("YES") elif mass[len(mass)-1]=='.': BEPPIEV=otvet(mass, nach) if BEPPIEV: print("YES") if not(BEPPIEV): print("NO") else: print("NO") print(mass)
863449e4383b5645a3b43bb87236042f
{ "intermediate": 0.21360541880130768, "beginner": 0.43981850147247314, "expert": 0.346576064825058 }
2,280
Provide a simple example of the "pad" pytorch function.
416f6efa5d0c4f10886064ca18d5d9d3
{ "intermediate": 0.3576745092868805, "beginner": 0.3605208396911621, "expert": 0.2818047106266022 }
2,281
imagine you gonna write a chapter in a book about lebesgue integral, the chapter would consist of 20 pages. the book is for school students. every idea should be followed by concrete example. write the first page now
64e27234d6e3b04e5d1d83f8681ba1d1
{ "intermediate": 0.2903953194618225, "beginner": 0.30038541555404663, "expert": 0.40921929478645325 }
2,282
In pytorch, is there a difference between input.shape[1] and input.size(1)?
8d8e567d1c54fa1946566182aa6a5131
{ "intermediate": 0.31787121295928955, "beginner": 0.2088479846715927, "expert": 0.47328075766563416 }
2,283
if you were to write a book about Lesbege integration such that it takes a school student from very primitive ideas to very advanced level. the book is very illustrative and intuitive without losing the rigor. what the table of content might be?
112cd65ca8803a3b73d7f9fe05b3fc4e
{ "intermediate": 0.28930601477622986, "beginner": 0.3064897954463959, "expert": 0.40420421957969666 }
2,284
In python how do create a list in which each list item is a character from a string?
892fcd5633146f8ae91560ec7fb730b4
{ "intermediate": 0.44690385460853577, "beginner": 0.12258371710777283, "expert": 0.430512398481369 }
2,285
In python, use a special algorithm to predict a minesweeper game with a board of 5x5. You need to predict the amount of possible bombs the game is on. The user inputs the game amount of bombs. The user also inputs how many safe spots. You’ve data for the past games [8, 11, 21, 4, 10, 15, 12, 17, 18, 6, 8, 23, 9, 10, 14, 1, 12, 21, 9, 17, 19, 1, 2, 23, 6, 13, 14, 16, 21, 24, 6, 15, 20, 2, 12, 13, 9, 11, 14, 1, 10, 11, 20, 22, 24, 1, 14, 20, 1, 21, 23, 4, 8, 24, 3, 10, 11, 5, 17, 23, 1, 13, 23, 4, 24, 23, 10, 11, 23, 2, 17, 18, 13, 16, 22, 4, 14, 17, 3, 6, 21, 3, 8, 18, 3, 7, 17, 7, 15, 18, 4, 7, 21, 6, 7, 23, 2, 19, 23, 1, 14, 15, 3, 21, 23, 4, 9, 10, 5, 6, 12, 2, 18, 24, 3, 11, 13, 8, 14, 23, 14, 21, 23, 5, 8, 13, 11, 12, 19, 2, 10, 19, 2, 18, 23, 2, 4, 5, 12, 15] in this list and you need to use it raw. the user can max chose 10 mines
255d7b5337aaed08ce987f227086430d
{ "intermediate": 0.18908549845218658, "beginner": 0.09443171322345734, "expert": 0.7164828777313232 }
2,286
java code to do a wikipedia.com behaving like a browser , search and parse the ascii converted resultset into a hashmap, use ‘house’ as example seach word
1d8dd9010f3adf1d819b5ffe23c5768a
{ "intermediate": 0.6359456181526184, "beginner": 0.1287010908126831, "expert": 0.2353532463312149 }
2,287
dialog.setNegativeButton("取消",new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialogInterface, int i) { textView_xsy.setText("你点击了取消按钮"); } }); dialog.setNeutralButton("普通", new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialogInterface, int i) { textView_xsy.setText("你点击了普通按钮"); } }); dialog.create(); dialog.show();解释其作用
28952da5e58a51705684cc307224a45b
{ "intermediate": 0.37421107292175293, "beginner": 0.39042332768440247, "expert": 0.235365629196167 }
2,288
give me a visualized python code to elaborate the idea of using deep generative models for stock price forecasting. DON'T train a model. just give visual explanation using matplotlib
1b66120a1951583cab44991a95326899
{ "intermediate": 0.3545486032962799, "beginner": 0.1105327308177948, "expert": 0.5349186062812805 }
2,289
ocal variable maxBrightness defined in an enclosing scope must be final. fix this. private void contrast2Image() { if (image != null) { BufferedImage contrastStretchedImage = linearContrastStretch_H2(image); setImageIcon(contrastStretchedImage); saveImage(contrastStretchedImage); // Создаем гистограмму исходного изображения int[] histogram = new int[256]; for (int i = 0; i < image.getWidth(); i++) { for (int j = 0; j < image.getHeight(); j++) { int pixel = image.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; // Вычисляем яркость пикселя int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } // Создаем гистограмму преобразованного изображения int[] contrastStretchedHistogram = new int[256]; // Переменные для минимального и максимального значений яркости final int[] minBrightness = {255}; int maxBrightness = 0; for (int i = 0; i < contrastStretchedImage.getWidth(); i++) { for (int j = 0; j < contrastStretchedImage.getHeight(); j++) { int pixel = contrastStretchedImage.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; // Вычисляем яркость пикселя int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); // Находим минимальное и максимальное значение яркости if (brightness < minBrightness[0]) { minBrightness[0] = brightness; } if (brightness > maxBrightness) { maxBrightness = brightness; } contrastStretchedHistogram[brightness]++; } } // Создаем окно для отображения гистограмм JFrame histogramFrame = new JFrame("Гистограммы"); histogramFrame.setLayout(new GridLayout(2, 2, 10, 10)); // Создаем панель для гистограммы исходного изображения JPanel histogramPanel1 = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(histogram).max().getAsInt(); for (int i = 0; i < 256; i++) { int height = (int) (300.0 * histogram[i] / max); g.fillRect(i, 300 - height, 1, height); } } }; histogramPanel1.setPreferredSize(new Dimension(256, 300)); // Создаем панель для гистограммы преобразованного изображения JPanel histogramPanel2 = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(contrastStretchedHistogram).max().getAsInt(); for (int i = 0; i < 256; i++) { // Применяем линейное растяжение контраста к гистограмме int newBrightness = (int) (255.0 * (i - minBrightness[0]) / (maxBrightness - minBrightness[0])); int height = (int) (300.0 * contrastStretchedHistogram[newBrightness] / max); g.fillRect(i, 300 - height, 1, height); } } }; histogramPanel2.setPreferredSize(new Dimension(256, 300)); histogramFrame.add(new JLabel("Гистограмма исходного изображения")); histogramFrame.add(new JLabel("Гистограмма преобразованного изображения")); histogramFrame.add(histogramPanel1); histogramFrame.add(histogramPanel2); histogramFrame.pack(); histogramFrame.setLocationRelativeTo(null); histogramFrame.setVisible(true); } }
a509e0fe79959a34a6534e4fbf9f050e
{ "intermediate": 0.33422496914863586, "beginner": 0.42521077394485474, "expert": 0.24056430160999298 }
2,290
“import java.util.Scanner; import java.util.Random; public class GameModule { private static final int NUM_ROUNDS = 4; public static void main(String[] args) { Scanner scanner = new Scanner(System.in); System.out.println(“HighSum GAME”); System.out.println(”================================================================================“); String playerName = “”; String playerPassword = “”; boolean loggedIn = false; // Add user authentication while (!loggedIn) { playerName = Keyboard.readString(“Enter Login name > “); playerPassword = Keyboard.readString(“Enter Password > “); if (playerName.equals(“IcePeak”) && playerPassword.equals(“password”)) { loggedIn = true; } else { System.out.println(“Username or Password is incorrect. Please try again.”); } } Player player = new Player(playerName, playerPassword, 100); Dealer dealer = new Dealer(); Deck deck = new Deck(); boolean nextGame = true; while (nextGame) { System.out.println(”================================================================================”); System.out.println(playerName + “, You have " + player.getChips() + " chips”); System.out.println(”--------------------------------------------------------------------------------”); System.out.println(“Game starts - Dealer shuffles deck.”); deck.shuffle(); dealer.clearCardsOnHand(); player.clearCardsOnHand(); // Switch the order of dealer and player to deal cards to the dealer first for (int i = 0; i < 2; i++) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } int betOnTable = 0; int round = 1; int dealerBet; while (round <= NUM_ROUNDS) { System.out.println(”--------------------------------------------------------------------------------“); System.out.println(“Dealer dealing cards - ROUND " + round); System.out.println(”--------------------------------------------------------------------------------”); // Show dealer’s cards first, then player’s cards dealer.showCardsOnHand(); player.showCardsOnHand(); System.out.println("Value: " + player.getTotalCardsValue()); if (round > 1) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } if (round == 4) { dealer.revealHiddenCard(); } if (round >= 2) { if (player.getTotalCardsValue() > dealer.getTotalCardsValue()) { boolean validChoice = false; while (!validChoice) { String choice = Keyboard.readString("Player call, do you want to [C]all or [Q]uit?: ").toLowerCase(); if (choice.equals(“c”)) { validChoice = true; int playerBet = Keyboard.readInt("Player state your bet > "); betOnTable += playerBet; player.deductChips(playerBet); System.out.println(“Player call, state bet: " + playerBet); System.out.println(playerName + “, You are left with " + player.getChips() + " chips”); System.out.println(“Bet on table: " + betOnTable); round++; } else if (choice.equals(“q”)) { validChoice = true; nextGame = false; round = NUM_ROUNDS + 1; break; } } } else { int dealerBet = Math.min(new Random().nextInt(11), 10); betOnTable += dealerBet; System.out.println(“Dealer call, state bet: " + dealerBet); System.out.println(playerName + “, You are left with " + player.getChips() + " chips”); System.out.println(“Bet on table: " + betOnTable); round++; } } else { dealerBet = 10; betOnTable += dealerBet; player.deductChips(dealerBet); System.out.println(“Dealer call, state bet: " + dealerBet); System.out.println(playerName + “, You are left with " + player.getChips() + " chips”); System.out.println(“Bet on table: " + betOnTable); round++; } } // Determine the winner after the game ends System.out.println(”--------------------------------------------------------------------------------”); System.out.println(“Game End - Dealer reveal hidden cards”); System.out.println(”--------------------------------------------------------------------------------”); dealer.showCardsOnHand(); System.out.println(“Value: " + dealer.getTotalCardsValue()); player.showCardsOnHand(); System.out.println(“Value: " + player.getTotalCardsValue()); if (player.getTotalCardsValue() > dealer.getTotalCardsValue()) { System.out.println(playerName + " Wins”); player.addChips(betOnTable); } else { System.out.println(“Dealer Wins”); } System.out.println(playerName + “, You have " + player.getChips() + " chips”); System.out.println(“Dealer shuffles used cards and place behind the deck.”); System.out.println(”--------------------------------------------------------------------------------”); boolean valid = false; while (!valid) { String input = Keyboard.readString(“Next Game? (Y/N) > “).toLowerCase(); if (input.equals(“y”)) { nextGame = true; valid = true; } else if (input.equals(“n”)) { nextGame = false; valid = true; } else { System.out.println(”*** Please enter Y or N “); } } } } } import java.util.ArrayList; import java.util.Random; public class Deck { private ArrayList<Card> cards; public Deck() { cards = new ArrayList<Card>(); String[] suits = {“Heart”, “Diamond”, “Spade”, “Club”}; for (int i = 0; i < suits.length; i++) { String suit = suits[i]; Card card = new Card(suit, “Ace”, 1); cards.add(card); for (int n = 2; n <= 10; n++) { Card aCard = new Card(suit, n + “”, n); cards.add(aCard); } Card jackCard = new Card(suit, “Jack”, 10); cards.add(jackCard); Card queenCard = new Card(suit, “Queen”, 10); cards.add(queenCard); Card kingCard = new Card(suit, “King”, 10); cards.add(kingCard); } } public void shuffle() { Random random = new Random(); for (int i = 0; i < 1000; i++) { int indexA = random.nextInt(cards.size()); int indexB = random.nextInt(cards.size()); Card cardA = cards.get(indexA); Card cardB = cards.get(indexB); cards.set(indexA, cardB); cards.set(indexB, cardA); } } public Card dealCard() { return cards.remove(0); } } public class Dealer extends Player { public Dealer() { super(“Dealer”, “”, 0); } @Override public void addCard(Card card) { super.addCard(card); // Hide only the first card for the dealer if (cardsOnHand.size() == 1) { cardsOnHand.get(0).hide(); } } @Override public void showCardsOnHand() { System.out.println(getLoginName()); int numCards = cardsOnHand.size(); for (int i = 0; i < numCards; i++) { System.out.print(cardsOnHand.get(i)); if (i < numCards - 1) { System.out.print(”, “); } } System.out.println(”\n"); } public void revealHiddenCard() { if (!cardsOnHand.isEmpty()) { cardsOnHand.get(0).reveal(); } } } public class Card { private String suit; private String name; private int value; private boolean hidden; public Card(String suit, String name, int value) { this.suit = suit; this.name = name; this.value = value; this.hidden = false; // Change this line to make cards revealed by default } public int getValue() { return value; } public void reveal() { this.hidden = false; } public boolean isHidden() { return hidden; } @Override public String toString() { return this.hidden ? “<HIDDEN CARD>” : “<” + this.suit + " " + this.name + “>”; } public static void main(String[] args) { Card card = new Card(“Heart”, “Ace”, 1); System.out.println(card); } public void hide() { this.hidden = true; } } public class User { private String loginName; private String password; public User(String loginName, String password) { this.loginName = loginName; this.password = password; } public String getLoginName() { return loginName; } public boolean checkPassword(String password) { return this.password.equals(password); } } import java.util.ArrayList; public class Player extends User { private int chips; protected ArrayList<Card> cardsOnHand; public Player(String loginName, String password, int chips) { super(loginName, password); this.chips = chips; this.cardsOnHand = new ArrayList<Card>(); } public void addCard(Card card) { this.cardsOnHand.add(card); } public void showCardsOnHand() { System.out.println(getLoginName()); int numCards = cardsOnHand.size(); for (int i = 0; i < numCards; i++) { if (i < numCards - 1) { System.out.print(cardsOnHand.get(i) + “, “); } else { System.out.print(cardsOnHand.get(i)); } } System.out.println(”\n”); } public int getChips() { return this.chips; } public void addChips(int amount) { this.chips += amount; } public void deductChips(int amount) { if (amount < chips) this.chips -= amount; } public int getTotalCardsValue() { int totalValue = 0; for (Card card : cardsOnHand) { totalValue += card.getValue(); } return totalValue; } public int getNumberOfCards() { return cardsOnHand.size(); } public void clearCardsOnHand() { cardsOnHand.clear(); } } public class Keyboard { public static String readString(String prompt) { System.out.print(prompt); return new java.util.Scanner(System.in).nextLine(); } public static int readInt(String prompt) { int input = 0; boolean valid = false; while (!valid) { try { input = Integer.parseInt(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println(" Please enter an integer “); } } return input; } public static double readDouble(String prompt) { double input = 0; boolean valid = false; while (!valid) { try { input = Double.parseDouble(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println(” Please enter a double “); } } return input; } public static float readFloat(String prompt) { float input = 0; boolean valid = false; while (!valid) { try { input = Float.parseFloat(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println(” Please enter a float “); } } return input; } public static long readLong(String prompt) { long input = 0; boolean valid = false; while (!valid) { try { input = Long.parseLong(readString(prompt)); valid = true; } catch (NumberFormatException e) { e.printStackTrace(); System.out.println(” Please enter a long “); } } return input; } public static char readChar(String prompt) { char input = 0; boolean valid = false; while (!valid) { String temp = readString(prompt); if (temp.length() != 1) { System.out.println(” Please enter a character “); } else { input = temp.charAt(0); valid = true; } } return input; } public static boolean readBoolean(String prompt) { boolean valid = false; while (!valid) { String input = readString(prompt); if (input.equalsIgnoreCase(“yes”) || input.equalsIgnoreCase(“y”) || input.equalsIgnoreCase(“true”) || input.equalsIgnoreCase(“t”)) { return true; } else if (input.equalsIgnoreCase(“no”) || input.equalsIgnoreCase(“n”) || input.equalsIgnoreCase(“false”) || input.equalsIgnoreCase(“f”)) { return false; } else { System.out.println(” Please enter Yes/No or True/False “); } } return false; } public static java.util.Date readDate(String prompt) { java.util.Date date = null; boolean valid = false; while (!valid) { try { String input = readString(prompt).trim(); if (input.matches(”\d\d/\d\d/\d\d\d\d")) { int day = Integer.parseInt(input.substring(0, 2)); int month = Integer.parseInt(input.substring(3, 5)); int year = Integer.parseInt(input.substring(6, 10)); java.util.Calendar cal = java.util.Calendar.getInstance(); cal.setLenient(false); cal.set(year, month - 1, day, 0, 0, 0); date = cal.getTime(); valid = true; } else { System.out.println(" Please enter a date (DD/MM/YYYY) “); } } catch (IllegalArgumentException e) { System.out.println(” Please enter a date (DD/MM/YYYY) ***”); } } return date; } private static String quit = “0”; public static int getUserOption(String title, String[] menu) { displayMenu(title, menu); int choice = Keyboard.readInt(“Enter Choice --> “); while (choice > menu.length || choice < 0) { choice = Keyboard.readInt(“Invalid Choice, Re-enter --> “); } return choice; } private static void displayMenu(String title, String[] menu) { line(80, “=”); System.out.println(title.toUpperCase()); line(80, “-”); for (int i = 0; i < menu.length; i++) { System.out.println(”[” + (i + 1) + “] " + menu[i]); } System.out.println(”[” + quit + “] Quit”); line(80, “-”); } public static void line(int len, String c) { System.out.println(String.format(”%” + len + “s”, " “).replaceAll(” “, c)); } }” this program is a card game. 7 classes for an ide java program. do not change anything to the keyboard class.? check for error of duplicate local variable dealerBet.
9d89f6a66c2a3c66961d2463a804e639
{ "intermediate": 0.2786582410335541, "beginner": 0.4815366268157959, "expert": 0.2398051917552948 }
2,291
Добавь проверку на то чтобы если if '/tst_full_download' in f"{squishinfo.testCase}": то создавался архив с двумя файлами Иначе с одним def createArchiveForExchange(self): archivePath = f'{squishinfo.testCase}/stmobile.zip' fileNames = [f'{squishinfo.testCase}/stmobile.db3', f'{squishinfo.testCase}/stmobile.dbt'] password = '969969' for filePath in fileNames: fs.createArchive(archivePath, filePath, password)
e8316bad6eca3eead1ee984ded2711c0
{ "intermediate": 0.3876335024833679, "beginner": 0.3438725769519806, "expert": 0.2684939205646515 }
2,292
I am getting error: in merge_images(sub_images, keypoints, filtered_matches, homographies) 84 for i in range(1, len(sub_images)): 85 img_i = sub_images[i] ---> 86 H_i = homographies[i-1] 87 88 h1, w1 = ref_img.shape[:2] IndexError: list index out of range In this code: import numpy as np import cv2 import os import glob import matplotlib.pyplot as plt import time def feature_extraction(sub_images, method="SIFT"): if method == "SIFT": keypoint_extractor = cv2.xfeatures2d.SIFT_create() elif method == "SURF": keypoint_extractor = cv2.xfeatures2d.SURF_create() elif method == "ORB": keypoint_extractor = cv2.ORB_create() keypoints = [] descriptors = [] for sub_image in sub_images: keypoint, descriptor = keypoint_extractor.detectAndCompute(sub_image, None) keypoints.append(keypoint) descriptors.append(descriptor) return keypoints, descriptors def feature_matching(descriptors, matcher_type="BF"): if matcher_type == "BF": matcher = cv2.BFMatcher() matches = [] for i in range(1, len(descriptors)): match = matcher.knnMatch(descriptors[0], descriptors[i], k=2) matches.append(match) return matches def filter_matches(matches, ratio_thres=0.7): filtered_matches = [] for match in matches: good_match = [] for m, n in match: if m.distance < ratio_thres * n.distance: good_match.append(m) filtered_matches.append(good_match) return filtered_matches def find_homography(keypoints, filtered_matches): homographies = [] for i, matches in enumerate(filtered_matches): src_pts = np.float32([keypoints[0][m.queryIdx].pt for m in matches]).reshape(-1, 1, 2) dst_pts = np.float32([keypoints[i + 1][m.trainIdx].pt for m in matches]).reshape(-1, 1, 2) H, _ = cv2.findHomography(src_pts, dst_pts, cv2.RANSAC) if H is not None: H = H.astype(np.float32) homographies.append(H) else: print(f"Warning: Homography computation failed for image pair (0, {i + 1}). Skipping.") continue return homographies def read_ground_truth_homographies(dataset_path): H_files = sorted(glob.glob(os.path.join(dataset_path, "H_.txt"))) ground_truth_homographies = [] for filename in H_files: H = np.loadtxt(filename) ground_truth_homographies.append(H) return ground_truth_homographies def merge_images(sub_images, keypoints, filtered_matches, homographies): ref_img = sub_images[0] for i in range(1, len(sub_images)): img_i = sub_images[i] H_i = homographies[i-1] h1, w1 = ref_img.shape[:2] h2, w2 = img_i.shape[:2] pts1 = np.float32([[0, 0], [0, h1], [w1, h1], [w1, 0]]).reshape(-1, 1, 2) pts2 = np.float32([[0, 0], [0, h2], [w2, h2], [w2, 0]]).reshape(-1, 1, 2) pts2_trans = cv2.perspectiveTransform(pts2, H_i) new_pts = np.concatenate((pts1, pts2_trans), axis=0) min_x, min_y = np.int32(new_pts.min(axis=0).ravel()) max_x, max_y = np.int32(new_pts.max(axis=0).ravel()) trans_dst = [-min_x, -min_y] H_trans = np.array([[1.0, 0, trans_dst[0]], [0, 1.0, trans_dst[1]], [0, 0, 1.0]]) result = cv2.warpPerspective(ref_img, H_trans, (max_x - min_x, max_y - min_y)) img_warped = cv2.warpPerspective(img_i, H_i, (result.shape[1], result.shape[0])) mask = (result == 0) result[mask] = img_warped[mask] ref_img = result return ref_img def main(dataset_path): filenames = sorted(glob.glob(os.path.join(dataset_path, "*.png"))) sub_images = [] for filename in filenames: img = cv2.imread(filename, cv2.IMREAD_GRAYSCALE) sub_images.append(img) ground_truth_homographies = read_ground_truth_homographies(dataset_path) methods = ["SIFT", "SURF", "ORB"] for method in methods: start_time = time.time() keypoints, descriptors = feature_extraction(sub_images, method=method) matches = feature_matching(descriptors) filtered_matches = filter_matches(matches) homographies = find_homography(keypoints, filtered_matches) panorama = merge_images(sub_images, keypoints, filtered_matches, homographies) end_time = time.time() runtime = end_time - start_time print(f"Method: {method} - Runtime: {runtime:.2f} seconds") for idx, (image, kp) in enumerate(zip(sub_images, keypoints)): feature_plot = cv2.drawKeypoints(image, kp, None) plt.figure() plt.imshow(feature_plot, cmap="gray") plt.title(f"Feature Points - {method} - Image {idx}") for i, match in enumerate(filtered_matches): matching_plot = cv2.drawMatches(sub_images[0], keypoints[0], sub_images[i + 1], keypoints[i + 1], match, None, flags=cv2.DrawMatchesFlags_NOT_DRAW_SINGLE_POINTS) plt.figure() plt.imshow(matching_plot, cmap="gray") plt.title(f"Feature Point Matching - {method} - Image 0 - Image {i + 1}") plt.figure() plt.imshow(panorama, cmap="gray") plt.title(f"Panorama - {method}") print("\nGround truth homographies") for i, H_gt in enumerate(ground_truth_homographies): print(f"Image 0 to {i+1}:") print(H_gt) print("\nComputed homographies") for i, H_est in enumerate(homographies): print(f"Image 0 to {i+1}:") print(H_est) plt.show() if __name__ == "__main__": dataset_path = "dataset/v_bird" main(dataset_path)
45e24df60ccbceaf2de8d979be989142
{ "intermediate": 0.38211604952812195, "beginner": 0.4987701177597046, "expert": 0.11911385506391525 }
2,293
how to start docker?
d77d4f41bbec4922d067c1258f3d223c
{ "intermediate": 0.43981605768203735, "beginner": 0.19172708690166473, "expert": 0.3684568703174591 }
2,294
Переделать код, чтобы пилообразное контрастирование с одной пилой в вверх. Добавить два порога, которые я буду вводить сам. И гистограмма для исходного и преобразованного изображения. // Гистограмма для sawtoottImage() private void sawtoottImage() { if (image != null) { BufferedImage[] sawtoothContrastImages = new BufferedImage[4]; sawtoothContrastImages[0] = sawtoothContrast(image, 0.2f, 0.8f, 1f); // Пилообразное контрастирование с различными значениями коэффициента наклона sawtoothContrastImages[1] = sawtoothContrast(image, 0.5f, 0.5f, 1f); sawtoothContrastImages[2] = sawtoothContrast(image, 0.75f, 0.25f, 1f); sawtoothContrastImages[3] = sawtoothContrast(image, 0.9f, 0.1f, 1f); setImageIcon(sawtoothContrastImages[0]); saveImage(sawtoothContrastImages[0]); setImageIcon(sawtoothContrastImages[1]); saveImage(sawtoothContrastImages[1]); setImageIcon(sawtoothContrastImages[2]); saveImage(sawtoothContrastImages[2]); setImageIcon(sawtoothContrastImages[3]); saveImage(sawtoothContrastImages[3]); // Создаем гистограмму преобразованного изображения int[] histogram = new int[256]; for (int i = 0; i < sawtoothContrastImages[0].getWidth(); i++) { for (int j = 0; j < sawtoothContrastImages[0].getHeight(); j++) { int pixel = sawtoothContrastImages[0].getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; // Вычисляем яркость пикселя int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } for (int i = 0; i < sawtoothContrastImages[1].getWidth(); i++) { for (int j = 0; j < sawtoothContrastImages[1].getHeight(); j++) { int pixel = sawtoothContrastImages[1].getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; // Вычисляем яркость пикселя int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } for (int i = 0; i < sawtoothContrastImages[2].getWidth(); i++) { for (int j = 0; j < sawtoothContrastImages[2].getHeight(); j++) { int pixel = sawtoothContrastImages[2].getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; // Вычисляем яркость пикселя int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } for (int i = 0; i < sawtoothContrastImages[3].getWidth(); i++) { for (int j = 0; j < sawtoothContrastImages[3].getHeight(); j++) { int pixel = sawtoothContrastImages[3].getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; // Вычисляем яркость пикселя int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } // Создаем окно для отображения гистограммы JFrame histogramFrame = new JFrame("Гистограмма"); histogramFrame.setLayout(new FlowLayout(FlowLayout.CENTER, 10, 10)); // Создаем панель для гистограммы JPanel histogramPanel = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(histogram).max().getAsInt(); for (int i = 0; i < 256; i++) { int height = (int) (300.0 * histogram[i] / max); g.fillRect(i, 300 - height, 1, height); } } }; histogramPanel.setPreferredSize(new Dimension(256, 300)); histogramFrame.add(new JLabel("Гистограмма контраста с пилообразным профилем")); histogramFrame.add(histogramPanel); histogramFrame.pack(); histogramFrame.setLocationRelativeTo(null); histogramFrame.setVisible(true); } } private BufferedImage sawtoothContrast(BufferedImage image, float k1, float k2, float k3) { BufferedImage sawtoothContrastImage = new BufferedImage(image.getWidth(), image.getHeight(), BufferedImage.TYPE_INT_RGB); for (int i = 0; i < image.getWidth(); i++) { for (int j = 0; j < image.getHeight(); j++) { int rgb = image.getRGB(i, j); int r = (rgb >> 16) & 0xff; int g = (rgb >> 8) & 0xff; int b = rgb & 0xff; // новые значения яркости int newR = (int) ((r - 128) * k1 + 128); int newG = (int) ((g - 128) * k2 + 128); int newB = (int) ((b - 128) * k3 + 128); int newRGB = (newR << 16) | (newG << 8) | newB; sawtoothContrastImage.setRGB(i, j, newRGB); } } return sawtoothContrastImage; }
7c360e49e51257f20f3ee40fd1b3b717
{ "intermediate": 0.27087438106536865, "beginner": 0.4882459342479706, "expert": 0.24087966978549957 }
2,295
Resources: Api: Type: AWS::Serverless::Api Properties: StageName: !Ref ServiceName Name: !Sub '${ServiceName}-${Stage}' Auth: DefaultAuthorizer: LambdaTokenAuthorizer AddDefaultAuthorizerToCorsPreflight: false Authorizers: LambdaTokenAuthorizer: FunctionArn: arn:aws:lambda:ap-south-1:asd:function:AuthorizerFunction-asdas Identity: ReauthorizeEvery: 0 GatewayResponses: UnauthorizedGatewayResponse: Type: AWS::ApiGateway::GatewayResponse Properties: ResponseType: UNAUTHORIZED RestApiId: !Ref Api ResponseTemplates: application/json: '{"message":"User is Unauthorized"}' ResponseParameters: gatewayresponse.header.Access-Control-Allow-Origin: "'*'" gatewayresponse.header.Access-Control-Allow-Headers: "'Content-Type,X-Amz-Date,Authorization,X-Api-Key'" gatewayresponse.header.Access-Control-Allow-Methods: "'GET,POST,PUT,DELETE'" AccesssDeniedGatewayResponse: Type: AWS::ApiGateway::GatewayResponse Properties: ResponseType: ACCESS_DENIED RestApiId: !Ref Api ResponseTemplates: application/json: '{"message":"User is Unauthorized"}' ResponseParameters: gatewayresponse.header.Access-Control-Allow-Origin: "'*'" gatewayresponse.header.Access-Control-Allow-Headers: "'Content-Type,X-Amz-Date,Authorization,X-Api-Key'" gatewayresponse.header.Access-Control-Allow-Methods: "'GET,POST,PUT,DELETE'" Getting Error: Template schema validation reported the following errors: [Resources.Api.Properties.Auth.Authorizers.LambdaTokenAuthorizer.Identity.ReauthorizeEvery] 0 is less than the minimum of 1, [Resources.Api.Properties.GatewayResponses] Additional properties are not allowed ('UnauthorizedGatewayResponse', 'AccesssDeniedGatewayResponse' were unexpected) Template provided at '/Users/pranavbobde/Projects/coffee/repos/pilot/backend/services/service-user/template-prod.yml' was invalid SAM Template. Resolve this error and give me the correct code and mention the corrections you made and why?
d9bbc274de196ad7b315d854557f6dd8
{ "intermediate": 0.31969523429870605, "beginner": 0.41180774569511414, "expert": 0.26849696040153503 }
2,296
Exception in thread "AWT-EventQueue-0" java.lang.ArrayIndexOutOfBoundsException: Index 73355 out of bounds for length 256. Fix this. // Гистограмма для sawtoottImage() private void sawtoothImage() { if (image != null) { float t1 = userInput("Введите значение порога 1: ", 0, 1); // Запрос значения первого порога float t2 = userInput("Введите значение порога 2: ", 0, 1); // Запрос значения второго порога BufferedImage sawtoothContrastImage = sawtoothContrast(image, t1, t2); // Вызов функции пилообразного контрастирования с порогами setImageIcon(sawtoothContrastImage); saveImage(sawtoothContrastImage); // Создаем гистограмму исходного изображения int[] histogram = new int[256]; for (int i = 0; i < image.getWidth(); i++) { for (int j = 0; j < image.getHeight(); j++) { int pixel = image.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } int[] sawtoothHistogram = new int[256]; for (int i = 0; i < sawtoothContrastImage.getWidth(); i++) { for (int j = 0; j < sawtoothContrastImage.getHeight(); j++) { int pixel = sawtoothContrastImage.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); if (brightness >= 0 && brightness < 256) { sawtoothHistogram[brightness]++; } } }
81db2bfe4e40bff121858dd80cbdcab5
{ "intermediate": 0.38380536437034607, "beginner": 0.34695252776145935, "expert": 0.2692421078681946 }
2,297
create simple init program in rust scripts for all basic tasks in devuan without any server applications, nix, sysvinit, systemd, dbus, x11, xorg, elogind, xinit, systemctl. the original init program is called sysx with a command line for interacting with tasks.
7747d50053125dd475cbe65062c81798
{ "intermediate": 0.3550189733505249, "beginner": 0.3083823621273041, "expert": 0.3365987241268158 }
2,298
There is a chart instance already initialized on the dom.
121f4a17f0546486dc47951bbdf94bac
{ "intermediate": 0.3875695765018463, "beginner": 0.283284455537796, "expert": 0.32914599776268005 }
2,299
can you write code?
2530475b9d1c7b915f07e25650648661
{ "intermediate": 0.2678251564502716, "beginner": 0.4300113022327423, "expert": 0.30216357111930847 }
2,300
Сделай четыре кнопки, которые будут выполнять следующие Пилообразное контрастирование: 1) одна пила вверх; 2)одна пил в вниз; 3) две пилы в разные стороны; 4) 3 три пилы. Также гистограмма для каждой кнопки для исходного и преобразованного изображения. // Гистограмма для sawtoottImage() private JButton openButton, processButton, brightness1Button,brightness2Button, contrast1Button,contrast2Button,contrast3Button, sawtooth1Button, gaussButton,cannyButton; private JLabel imageLabel; private BufferedImage image; private BigDecimal imageWidth, imageHeight; public ImageReader() { super("Image Reader"); setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); // initialize imageWidth and imageHeight to zero to avoid NullPointerException imageWidth = BigDecimal.ZERO; imageHeight = BigDecimal.ZERO; openButton = new JButton("Open"); openButton.addActionListener(this); processButton = new JButton("Process"); processButton.addActionListener(this); brightness1Button = new JButton("Brightness N1"); brightness1Button.addActionListener(this); brightness2Button = new JButton("Brightness N2"); brightness2Button.addActionListener(this); contrast1Button = new JButton("Contrasts Н1"); contrast1Button.addActionListener(this); contrast2Button = new JButton("Contrasts Н2"); contrast2Button.addActionListener(this); contrast3Button = new JButton("Contrasts Н3"); contrast3Button.addActionListener(this); sawtooth1Button = new JButton("Sawtooth N1"); sawtooth1Button.addActionListener(this); gaussButton = new JButton("Gauss"); gaussButton.addActionListener(this); cannyButton = new JButton("Canny"); cannyButton.addActionListener(this); imageLabel = new JLabel(); imageLabel.setVerticalAlignment(JLabel.CENTER); imageLabel.setHorizontalAlignment(JLabel.CENTER); JPanel buttonPanel = new JPanel(); buttonPanel.add(openButton); buttonPanel.add(processButton); buttonPanel.add(brightness1Button); buttonPanel.add(brightness2Button); buttonPanel.add(contrast1Button); buttonPanel.add(contrast2Button); buttonPanel.add(contrast3Button); buttonPanel.add(sawtooth1Button); buttonPanel.add(gaussButton); buttonPanel.add(cannyButton); public void actionPerformed(ActionEvent e) { if (e.getSource() == openButton) { openImage(); } else if (e.getSource() == processButton) { processImage(); File processFile = new File(".bmp"); try { ImageIO.write(image, "BMP", processFile); } catch (IOException ex) { JOptionPane.showMessageDialog(this, "Ошибка сохранения изображения"); } } else if (e.getSource() == brightness1Button) { brightnessImage(); } else if (e.getSource() == brightness2Button) { brightness1Image(); } else if (e.getSource() == contrast1Button) { contrastImage(); } else if (e.getSource() == contrast2Button) { contrast2Image(); } else if (e.getSource() == contrast3Button) { contrast3Image(); } else if (e.getSource() == sawtooth1Button) { sawtoothImage(); } else if (e.getSource() == gaussButton) { gaussImage(); } else if (e.getSource() == cannyButton) { cannyImage(); } } private void sawtoothImage() { if (image != null) { float t1 = userInput("Введите значение порога 1: ", 0, 1); // Запрос значения первого порога float t2 = userInput("Введите значение порога 2: ", 0, 1); // Запрос значения второго порога BufferedImage sawtoothContrastImage = sawtoothContrast(image, t1, t2); // Вызов функции пилообразного контрастирования с порогами setImageIcon(sawtoothContrastImage); saveImage(sawtoothContrastImage); // Создаем гистограмму исходного изображения int[] histogram = new int[256]; for (int i = 0; i < image.getWidth(); i++) { for (int j = 0; j < image.getHeight(); j++) { int pixel = image.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); histogram[brightness]++; } } int[] sawtoothHistogram = new int[256]; for (int i = 0; i < sawtoothContrastImage.getWidth(); i++) { for (int j = 0; j < sawtoothContrastImage.getHeight(); j++) { int pixel = sawtoothContrastImage.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); if (brightness >= 0 && brightness < 256) { sawtoothHistogram[brightness]++; } } } // Создаем окно для отображения гистограмм JFrame histogramFrame = new JFrame(“Гистограммы”); histogramFrame.setLayout(new GridLayout(1, 2, 10, 10)); // Создаем панель для гистограммы исходного изображения JPanel histogramPanel1 = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(histogram).max().getAsInt(); for (int i = 0; i < 256; i++) { int height = (int) (300.0 * histogram[i] / max); g.fillRect(i, 300 - height, 1, height); } } }; histogramPanel1.setPreferredSize(new Dimension(256, 300)); // Создаем панель для гистограммы преобразованного изображения JPanel histogramPanel2 = new JPanel() { @Override protected void paintComponent(Graphics g) { super.paintComponent(g); int max = Arrays.stream(sawtoothHistogram).max().getAsInt(); for (int i = 0; i < 256; i++) { int height = (int) (300.0 * sawtoothHistogram[i] / max); g.fillRect(i, 300 - height, 1, height); } } }; histogramPanel2.setPreferredSize(new Dimension(256, 300)); histogramFrame.add(new JLabel(“Гистограмма исходного изображения”)); histogramFrame.add(new JLabel(“Гистограмма после контрастирования”)); histogramFrame.add(histogramPanel1); histogramFrame.add(histogramPanel2); histogramFrame.pack(); histogramFrame.setLocationRelativeTo(null); histogramFrame.setVisible(true); } }
14ed00c62cf71dcf37537ab5e49ab4b6
{ "intermediate": 0.3280583918094635, "beginner": 0.47864577174186707, "expert": 0.1932958960533142 }
2,301
Write me a simple pong game that should work on jsfiddle.net The left side should be controlled with the w and s keys, and the right side should be an ai opponent
4cc35fef85db4d3f0cd9103724dde947
{ "intermediate": 0.4521304965019226, "beginner": 0.2870679199695587, "expert": 0.2608015835285187 }
2,302
import java.util.ArrayList; public class Player extends User { private int chips; protected ArrayList<Card> cardsOnHand; public Player(String loginName, String password, int chips) { super(loginName, password); this.chips = chips; this.cardsOnHand = new ArrayList<Card>(); } public void addCard(Card card) { this.cardsOnHand.add(card); } public void showCardsOnHand() { System.out.println(getLoginName()); int numCards = cardsOnHand.size(); for (int i = 0; i < numCards; i++) { if (i < numCards - 1) { System.out.print(cardsOnHand.get(i) + ", "); } else { System.out.print(cardsOnHand.get(i)); } } System.out.println("\n"); } public int getChips() { return this.chips; } public void addChips(int amount) { this.chips += amount; } public void deductChips(int amount) { if (amount < chips) this.chips -= amount; } public int getTotalCardsValue() { int totalValue = 0; for (Card card : cardsOnHand) { totalValue += card.getValue(); } return totalValue; } public int getNumberOfCards() { return cardsOnHand.size(); } public void clearCardsOnHand() { cardsOnHand.clear(); } } public class Keyboard { public static String readString(String prompt) { System.out.print(prompt); return new java.util.Scanner(System.in).nextLine(); } public static int readInt(String prompt) { int input = 0; boolean valid = false; while (!valid) { try { input = Integer.parseInt(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter an integer ***"); } } return input; } public static double readDouble(String prompt) { double input = 0; boolean valid = false; while (!valid) { try { input = Double.parseDouble(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter a double ***"); } } return input; } public static float readFloat(String prompt) { float input = 0; boolean valid = false; while (!valid) { try { input = Float.parseFloat(readString(prompt)); valid = true; } catch (NumberFormatException e) { System.out.println("*** Please enter a float ***"); } } return input; } public static long readLong(String prompt) { long input = 0; boolean valid = false; while (!valid) { try { input = Long.parseLong(readString(prompt)); valid = true; } catch (NumberFormatException e) { e.printStackTrace(); System.out.println("*** Please enter a long ***"); } } return input; } public static char readChar(String prompt) { char input = 0; boolean valid = false; while (!valid) { String temp = readString(prompt); if (temp.length() != 1) { System.out.println("*** Please enter a character ***"); } else { input = temp.charAt(0); valid = true; } } return input; } public static boolean readBoolean(String prompt) { boolean valid = false; while (!valid) { String input = readString(prompt); if (input.equalsIgnoreCase("yes") || input.equalsIgnoreCase("y") || input.equalsIgnoreCase("true") || input.equalsIgnoreCase("t")) { return true; } else if (input.equalsIgnoreCase("no") || input.equalsIgnoreCase("n") || input.equalsIgnoreCase("false") || input.equalsIgnoreCase("f")) { return false; } else { System.out.println("*** Please enter Yes/No or True/False ***"); } } return false; } public static java.util.Date readDate(String prompt) { java.util.Date date = null; boolean valid = false; while (!valid) { try { String input = readString(prompt).trim(); if (input.matches("\\d\\d/\\d\\d/\\d\\d\\d\\d")) { int day = Integer.parseInt(input.substring(0, 2)); int month = Integer.parseInt(input.substring(3, 5)); int year = Integer.parseInt(input.substring(6, 10)); java.util.Calendar cal = java.util.Calendar.getInstance(); cal.setLenient(false); cal.set(year, month - 1, day, 0, 0, 0); date = cal.getTime(); valid = true; } else { System.out.println("*** Please enter a date (DD/MM/YYYY) ***"); } } catch (IllegalArgumentException e) { System.out.println("*** Please enter a date (DD/MM/YYYY) ***"); } } return date; } private static String quit = "0"; public static int getUserOption(String title, String[] menu) { displayMenu(title, menu); int choice = Keyboard.readInt("Enter Choice --> "); while (choice > menu.length || choice < 0) { choice = Keyboard.readInt("Invalid Choice, Re-enter --> "); } return choice; } private static void displayMenu(String title, String[] menu) { line(80, "="); System.out.println(title.toUpperCase()); line(80, "-"); for (int i = 0; i < menu.length; i++) { System.out.println("[" + (i + 1) + "] " + menu[i]); } System.out.println("[" + quit + "] Quit"); line(80, "-"); } public static void line(int len, String c) { System.out.println(String.format("%" + len + "s", " ").replaceAll(" ", c)); } } public class User { private String loginName; private String password; public User(String loginName, String password) { this.loginName = loginName; this.password = password; } public String getLoginName() { return loginName; } public boolean checkPassword(String password) { return this.password.equals(password); } } public class Card { private String suit; private String name; private int value; private boolean hidden; public Card(String suit, String name, int value) { this.suit = suit; this.name = name; this.value = value; this.hidden = false; // Change this line to make cards revealed by default } public int getValue() { return value; } public void reveal() { this.hidden = false; } public boolean isHidden() { return hidden; } @Override public String toString() { return this.hidden ? "<HIDDEN CARD>" : "<" + this.suit + " " + this.name + ">"; } public static void main(String[] args) { Card card = new Card("Heart", "Ace", 1); System.out.println(card); } public void hide() { this.hidden = true; } } public class Dealer extends Player { public Dealer() { super("Dealer", "", 0); } @Override public void addCard(Card card) { super.addCard(card); // Hide only the first card for the dealer if (cardsOnHand.size() == 1) { cardsOnHand.get(0).hide(); } } @Override public void showCardsOnHand() { System.out.println(getLoginName()); int numCards = cardsOnHand.size(); for (int i = 0; i < numCards; i++) { System.out.print(cardsOnHand.get(i)); if (i < numCards - 1) { System.out.print(", "); } } System.out.println("\n"); } public void revealHiddenCard() { if (!cardsOnHand.isEmpty()) { cardsOnHand.get(0).reveal(); } } } import java.util.ArrayList; import java.util.Random; public class Deck { private ArrayList<Card> cards; public Deck() { cards = new ArrayList<Card>(); String[] suits = {"Heart", "Diamond", "Spade", "Club"}; for (int i = 0; i < suits.length; i++) { String suit = suits[i]; Card card = new Card(suit, "Ace", 1); cards.add(card); for (int n = 2; n <= 10; n++) { Card aCard = new Card(suit, n + "", n); cards.add(aCard); } Card jackCard = new Card(suit, "Jack", 10); cards.add(jackCard); Card queenCard = new Card(suit, "Queen", 10); cards.add(queenCard); Card kingCard = new Card(suit, "King", 10); cards.add(kingCard); } } public void shuffle() { Random random = new Random(); for (int i = 0; i < 1000; i++) { int indexA = random.nextInt(cards.size()); int indexB = random.nextInt(cards.size()); Card cardA = cards.get(indexA); Card cardB = cards.get(indexB); cards.set(indexA, cardB); cards.set(indexB, cardA); } } public Card dealCard() { return cards.remove(0); } } import java.util.Scanner; import java.util.Random; public class GameModule { private static final int NUM_ROUNDS = 4; public static void main(String[] args) { Scanner scanner = new Scanner(System.in); System.out.println("HighSum GAME"); System.out.println("================================================================================"); String playerName = ""; String playerPassword = ""; boolean loggedIn = false; // Add user authentication while (!loggedIn) { playerName = Keyboard.readString("Enter Login name > "); playerPassword = Keyboard.readString("Enter Password > "); if (playerName.equals("IcePeak") && playerPassword.equals("password")) { loggedIn = true; } else { System.out.println("Username or Password is incorrect. Please try again."); } } Player player = new Player(playerName, playerPassword, 100); Dealer dealer = new Dealer(); Deck deck = new Deck(); boolean nextGame = true; int betOnTable; // Add "HighSum GAME" text after logging in System.out.println("================================================================================"); System.out.println("HighSum GAME"); while (nextGame) { System.out.println("================================================================================"); System.out.println(playerName + ", You have " + player.getChips() + " chips"); System.out.println("--------------------------------------------------------------------------------"); System.out.println("Game starts - Dealer shuffles deck."); deck.shuffle(); dealer.clearCardsOnHand(); player.clearCardsOnHand(); // Switch the order of dealer and player to deal cards to the dealer first for (int i = 0; i < 2; i++) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } betOnTable = 0; int round = 1; int dealerBet; while (round <= NUM_ROUNDS) { System.out.println("--------------------------------------------------------------------------------"); System.out.println("Dealer dealing cards - ROUND " + round); System.out.println("--------------------------------------------------------------------------------"); // Show dealer’s cards first, then player’s cards if (round == 2) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } dealer.showCardsOnHand(); player.showCardsOnHand(); System.out.println("Value: " + player.getTotalCardsValue()); if (round > 1) { dealer.addCard(deck.dealCard()); player.addCard(deck.dealCard()); } if (round == 4) { dealer.revealHiddenCard(); } if (round >= 2) { if (player.getTotalCardsValue() > dealer.getTotalCardsValue()) { boolean validChoice = false; while (!validChoice) { String prompt = (round == 2) ? "Do you want to follow? [Y/N]: " : "Player call, do you want to [C]all or [Q]uit?: "; String choice = Keyboard.readString(prompt).toLowerCase(); if (choice.equals("c") || choice.equals("y")) { validChoice = true; int playerBet = Keyboard.readInt("Player, state your bet > "); // Check for invalid bet conditions if (playerBet > 100) { System.out.println("Insufficient chips"); validChoice = false; } else if (playerBet <= 0) { System.out.println("Invalid bet"); validChoice = false; } else { betOnTable += playerBet; player.deductChips(playerBet); System.out.println("Player call, state bet: " + playerBet); System.out.println(playerName + ", You are left with " + player.getChips() + " chips"); System.out.println("Bet on table: " + betOnTable); round++; } } if else (choice.equals("q") || choice.equals("n")) { validChoice = true; nextGame = false; round = NUM_ROUNDS + 1; dealer.addChips(betOnTable); // Add line to give dealer all the chips System.out.println("--------------------------------------------------------------------------------"); System.out.println("Game End - Dealer wins"); System.out.println("--------------------------------------------------------------------------------"); break; } } } } else { dealerBet = Math.min(new Random().nextInt(11), 10); betOnTable += dealerBet; System.out.println("Dealer call, state bet: " + dealerBet); System.out.println(playerName + ", You are left with " + player.getChips() + " chips"); System.out.println("Bet on table: " + betOnTable); round++; } } else { dealerBet = 10; betOnTable += dealerBet; player.deductChips(dealerBet); System.out.println("Dealer call, state bet: " + dealerBet); System.out.println(playerName + ", You are left with " + player.getChips() + " chips"); System.out.println("Bet on table: " + betOnTable); round++; } } // Determine the winner after the game ends System.out.println("--------------------------------------------------------------------------------"); System.out.println("Game End - Dealer reveal hidden cards"); System.out.println("--------------------------------------------------------------------------------"); dealer.showCardsOnHand(); System.out.println("Value: " + dealer.getTotalCardsValue()); player.showCardsOnHand(); System.out.println("Value: " + player.getTotalCardsValue()); if (player.getTotalCardsValue() > dealer.getTotalCardsValue()) { System.out.println(playerName + " Wins"); player.addChips(betOnTable); } else { System.out.println("Dealer Wins"); } System.out.println(playerName + ", You have " + player.getChips() + " chips"); System.out.println("Dealer shuffles used cards and place behind the deck."); System.out.println("--------------------------------------------------------------------------------"); boolean valid = false; while (!valid) { String input = Keyboard.readString("Next Game? (Y/N) > ").toLowerCase(); if (input.equals("y")) { nextGame = true; valid = true; } else if (input.equals("n")) { nextGame = false; valid = true; } else { System.out.println("*** Please enter Y or N "); } } } } this is a ide program for card game. there is an error "Description Resource Path Location Type Syntax error on token "else", delete this token GameModule.java /Assignment1/src line 109 Java Problem Syntax error on token "else", delete this token GameModule.java /Assignment1/src line 129 Java Problem "
023e8d8ac6297a4f9b63db78283d0974
{ "intermediate": 0.30392518639564514, "beginner": 0.5327916741371155, "expert": 0.16328312456607819 }
2,303
Implement a simple pull-based cache invalidation scheme by using CSIM20. In the scheme, a node generates a query and sends a request message to a server if the queried data item is not found in its local cache. If the node generates a query that can be answered by its local cache, it sends a check message to the server for validity. The server replies to the node with a requested data item or a confirm message. A set of data items is updated in the server. This scheme ensures a strong consistency that guarantees to access the most updated data items. 2. Refer to the following technical paper and its simulation models (e.g., server, client, caching, data query and update, etc.): • G. Cao, "A Scalable Low-Latency Cache Invalidation Strategy for Mobile Environments," ACM Mobicom, pp. 200-209, 2000 For the sake of simplicity, use the following simulation parameters. Run your simulation several times by changing the simulation parameters (e.g., T_query and T_update). You can make an assumption and define your own parameter(s). Then draw result graphs in terms of (i) cache hit ratio and (ii) query delay by changing mean query generation time and mean update arrival time, similar to Figs. 3 and 4 in the paper. Note that remove a cold state before collecting any results. Parameter Values Number of clients 5 Database (DB) size 500 items Data item size 1024 bytes Bandwidth 10000 bits/s Cache size 100 items Cache replacement policy LRU Mean query generate time (T_query) 5, 10, 25, 50, 100 seconds Hot data items 1 to 50 Cold data items remainder of DB Hot data access prob. 0.8 Mean update arrival time (T_update) 5, 10, 20, 100, 200 seconds Hot data update prob. 0.33 give me the complete code in C
f643f2453fc3092429b2372dc4eae820
{ "intermediate": 0.329087495803833, "beginner": 0.2579699456691742, "expert": 0.4129425883293152 }
2,304
How do I read a binary file in python and print the bits to console?
c23b55e171b314dc06218110574e2c3c
{ "intermediate": 0.6960569024085999, "beginner": 0.10011085867881775, "expert": 0.20383229851722717 }
2,305
In python, how do I convert a list of bytes into a uniform list of bits (0s and 1s) representing the initial bytes?
9ff0baf52c5fba5f6f70794438dcc4d3
{ "intermediate": 0.5011395812034607, "beginner": 0.1256203055381775, "expert": 0.3732401132583618 }
2,306
In python, how do I convert a binary string into a pytorch tensor in which every value is a bit of the initial bynary string?
d5478d9927b80d132e4345b336e48818
{ "intermediate": 0.4143638014793396, "beginner": 0.09352432936429977, "expert": 0.4921119213104248 }