row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
13,362
import { init, dispose, Chart, IndicatorFigureStylesCallbackData, Indicator, IndicatorStyle, KLineData, utils, ActionType, } from "klinecharts"; "klinecharts": "^9.5.0", https://klinecharts.com/en-US/guide/instance-api.html https://klinecharts.com/en-US/guide/chart-api.html в этой библиотеке можно рисовать фигуры 1. Возможно ли сделать сохранение этих фигур? Чтобы при закрытии и новом открытии эти фигуры были отрисованы. Может запомнить состояние графика с фигурами, или состояние самих фигур?
15d55fef796970108935f940018351c1
{ "intermediate": 0.4621506929397583, "beginner": 0.37894490361213684, "expert": 0.15890441834926605 }
13,363
hello
17a8414185bd2300c1376315d99871c6
{ "intermediate": 0.32064199447631836, "beginner": 0.28176039457321167, "expert": 0.39759764075279236 }
13,364
Hello. I have an error in my react native code. Here is my app.js file: import React from 'react'; import { NavigationContainer } from '@react-navigation/native'; import { createStackNavigator } from '@react-navigation/stack'; import WelcomeScreen from './screens/WelcomeScreen'; import SignUpScreen from './screens/SignUpScreen'; import LoginScreen from './screens/LoginScreen'; import HomeScreen from './screens/HomeScreen'; // Import the new screen const Stack = createStackNavigator(); const App = () => { return ( <NavigationContainer> <Stack.Navigator screenOptions={{ headerShown: false }}> <Stack.Screen name="Welcome" component={WelcomeScreen} /> <Stack.Screen name="SignUp" component={SignUpScreen} /> <Stack.Screen name="Login" component={LoginScreen} /> <Stack.Screen name="Home" component={HomeScreen} /> </Stack.Navigator> <BottomNavigation /> </NavigationContainer> ); }; export default App; Here is my Bottomnavigation.js file: import React from 'react'; import { createBottomTabNavigator } from '@react-navigation/bottom-tabs'; import { Ionicons } from '@expo/vector-icons'; import HomeScreen from '../screens/HomeScreen'; import ProfileScreen from '../screens/ProfileScreen'; import SettingsScreen from '../screens/SettingsScreen'; const Tab = createBottomTabNavigator(); const BottomNavigation = () => { return ( <Tab.Navigator screenOptions={({ route }) => ({ tabBarIcon: ({ color, size }) => { let iconName; if (route.name === 'Home') { iconName = 'home-outline'; } else if (route.name === 'Profile') { iconName = 'person-outline'; } else if (route.name === 'Settings') { iconName = 'settings-outline'; } return <Ionicons name={iconName} size={size} color={color} />; }, })} > <Tab.Screen name="Home" component={HomeScreen} /> <Tab.Screen name="Profile" component={ProfileScreen} /> <Tab.Screen name="Settings" component={SettingsScreen} /> </Tab.Navigator> ); }; export default BottomNavigation; here is my homescreen.js file: import React from 'react'; import { View, Text } from 'react-native'; import { createBottomTabNavigator } from '@react-navigation/bottom-tabs'; const Tab = createBottomTabNavigator(); const HomeScreen = () => { return ( <Tab.Navigator> <Tab.Screen name="Tab1" component={Screen1} /> <Tab.Screen name="Tab2" component={Screen2} /> <Tab.Screen name="Tab3" component={Screen3} /> </Tab.Navigator> ); }; // Example screens for each tab const Screen1 = () => <View><Text>Tab 1</Text></View>; const Screen2 = () => <View><Text>Tab 2</Text></View>; const Screen3 = () => <View><Text>Tab 3</Text></View>; export default HomeScreen; Here is my package.json file: { "name": "wealthtrackr", "version": "1.0.0", "main": "node_modules/expo/AppEntry.js", "scripts": { "start": "expo start", "android": "expo start --android", "ios": "expo start --ios", "web": "expo start --web" }, "dependencies": { "@react-navigation/bottom-tabs": "^6.5.8", "@react-navigation/native": "^6.1.7", "@react-navigation/stack": "^6.3.17", "axios": "^1.4.0", "expo": "~48.0.18", "expo-status-bar": "~1.4.4", "firebase": "^9.23.0", "os": "^0.1.2", "path": "^0.12.7", "react": "^18.2.0", "react-native": "^0.72.0", "react-native-paper": "^5.8.0", "react-native-swiper": "^1.6.0", "react-native-vector-icons": "^9.2.0" }, "devDependencies": { "@babel/core": "^7.20.0" }, "expo": { "name": "wealthtrackr", "slug": "wealthtrackr", "extra": { "API_KEY": "@env:REACT_APP_API_KEY", "AUTH_DOMAIN": "@env:REACT_APP_AUTH_DOMAIN", "PROJECT_ID": "@env:REACT_APP_PROJECT_ID" } }, "private": true } Here is my error: ReferenceError: Property 'BottomNavigation' doesn't exist This error is located at: in App (created by withDevTools(App)) in withDevTools(App) in RCTView (created by View) in View (created by AppContainer) in RCTView (created by View) in View (created by AppContainer) in AppContainer in main(RootComponent), js engine: hermes at node_modules/react-native/Libraries/Core/ExceptionsManager.js:102:17 in reportException at node_modules/react-native/Libraries/Core/ExceptionsManager.js:148:19 in handleException - ... 27 more stack frames from framework internals ReferenceError: Property 'BottomNavigation' doesn't exist This error is located at: in App (created by withDevTools(App)) in withDevTools(App) in RCTView (created by View) in View (created by AppContainer) in RCTView (created by View) in View (created by AppContainer) in AppContainer in main(RootComponent), js engine: hermes at node_modules/react-native/Libraries/Core/ExceptionsManager.js:102:17 in reportException at node_modules/react-native/Libraries/Core/ExceptionsManager.js:148:19 in handleException - ... 7 more stack frames from framework internals
b025e9eff5cdece28b4e78d1982ace7f
{ "intermediate": 0.34815919399261475, "beginner": 0.43257853388786316, "expert": 0.21926233172416687 }
13,365
I am using a nextjs frontend, and a nestjs backend. Frontend it deployed on vercel and the backend on railway. When calling the backend endpoint from the frontend I'm getting a cors error
e8e5f903d0ce351e7d3df6ea29cdec8c
{ "intermediate": 0.5179489850997925, "beginner": 0.2124996930360794, "expert": 0.2695513367652893 }
13,366
Mohamed has two integers n,m. he wants to find the first non−negative number that is less than n and divisible by m. if not found then you have to find the first number that bigger than |n| and divisible by m. Input Two integers n (−2∗109≤n≤2∗109) , m (1≤m≤2∗109) . Output READ THE STATEMENT Examples input 3 2 output 2 input 0 2 output 2 Note |n| = n if n is positive and = -1 * n if n is negative. OM Mohammed Betsalem 3alykom :) in C++
ddc434a04681f9194a4d02ac1df0e108
{ "intermediate": 0.3954472541809082, "beginner": 0.37028253078460693, "expert": 0.23427022993564606 }
13,367
can you create me one script using matrix-commander to listen encrypted message from one Matrix Room ?
3672f14fa9931aeeab0006afdde07f9d
{ "intermediate": 0.3744114935398102, "beginner": 0.1279209852218628, "expert": 0.4976675510406494 }
13,368
based the script https://github.com/8go/matrix-commander/blob/master/tests/test-send.py Can you create me one script using matrix-commander to listen encrypted message from one Matrix Room ?
c7129f4aef5e6e045b565a1d4d2e7ad6
{ "intermediate": 0.48998427391052246, "beginner": 0.20630991458892822, "expert": 0.3037058413028717 }
13,369
Create one script using or calling matrix-commander.py to start a second Python3 script when I receive the message "GO" and stop the second with the reception of the message STOP
869b0eaffc5bd3f1e6fb864db8ad0728
{ "intermediate": 0.38013607263565063, "beginner": 0.22883029282093048, "expert": 0.39103370904922485 }
13,370
throw new MongooseError('The `uri` parameter to `openUri()` must be a ' + ^ MongooseError: The `uri` parameter to `openUri()` must be a string, got "undefined". Make sure the first parameter to `mongoose.connect()` or `mongoose.createConnection()` is a string.
eec7e1b86746a32a63568f73e6972fff
{ "intermediate": 0.5505980253219604, "beginner": 0.26117730140686035, "expert": 0.18822461366653442 }
13,371
export const CandleChart = ({ candles, uniqueId, symbolName, orders, amount, openPrice, closePrice, onScreenshotCreated, chartInterval, setChartInterval, waiting, setWaiting, height, showIntervalSelector, }: CandleChartProps) => { const chart = useRef<Chart|null>(null); const paneId = useRef<string>(""); const [figureId, setFigureId] = useState<string>(""); const precision = useSelector((state: AppState) => state.binancePrecision.futures[symbolName.toUpperCase()]); const kline = useSelector((state: AppState) => state.binanceKline.futures[`${symbolName.toLocaleLowerCase()}@kline_${chartInterval}`]) || null; useEffect(() => { if (precision && null !== chart.current) { chart.current.setPriceVolumePrecision(precision?.price || 4, precision?.quantity || 2); } }, [chart.current, precision]); useEffect(() => { if (kline && null !== chart.current) { chart.current.updateData(kline); } }, [kline, chart.current]); useEffect(() => { // @ts-ignore chart.current = init(`chart-${uniqueId}`, {styles: chartStyles(theme)}); return () => dispose(`chart-${uniqueId}`); }, [uniqueId]); useEffect(() => { chart.current?.applyNewData(candles); chart.current?.overrideIndicator({ name: "VOL", shortName: "Объем", calcParams: [], figures: [ { key: "volume", title: "", type: "bar", baseValue: 0, styles: (data: IndicatorFigureStylesCallbackData<Vol>, indicator: Indicator, defaultStyles: IndicatorStyle) => { const kLineData = data.current.kLineData as KLineData; let color: string; if (kLineData.close > kLineData.open) { color = utils.formatValue(indicator.styles, "bars[0].upColor", (defaultStyles.bars)[0].upColor) as string; } else if (kLineData.close < kLineData.open) { color = utils.formatValue(indicator.styles, "bars[0].downColor", (defaultStyles.bars)[0].downColor) as string; } else { color = utils.formatValue(indicator.styles, "bars[0].noChangeColor", (defaultStyles.bars)[0].noChangeColor) as string; } return {color}; }, }, ], }, paneId.current); chart.current?.createIndicator("VOL", false, {id: paneId.current}); }, [candles]); useEffect(() => { if (!orders || orders.length === 0 || candles.length === 0 || !amount || amount.length === 0) return; const minTime = orders[0].time; const maxTime = orders[orders.length - 1].time; const needleTime = minTime + (maxTime - minTime) / 2; chart.current?.scrollToTimestamp(needleTime + 50 * getMinutesTickSizeByInterval(chartInterval) * 60 * 1000); drawTrade(chart, paneId, orders, chartInterval, amount); if (openPrice && closePrice) { let openTime = Infinity; let closeTime = -Infinity; orders.forEach(order => { if (openTime > order.time) { openTime = order.time; } if (closeTime < order.time) { closeTime = order.time; } }); drawTradeLines( chart, openPrice, openTime, closePrice, closeTime, orders[0].position, paneId, precision.price, precision.quantity, ); } }, [orders, candles, uniqueId]); const removeFigure = () => { chart.current?.removeOverlay({ id: figureId, }); setFigureId(""); }; return (<> <Stack direction="row" height={height && !handle.active ? 550 : "100%" || "calc(100% - 140px)"} width="100%"> <CandleChartToolbar setFigureId={setFigureId} chart={chart} paneId={paneId} handle={handle} /> <Box ref={ref} id={`chart-${uniqueId}`} width="calc(100% - 55px)" height="100%" sx={{borderLeft: theme => `2px solid ${theme.palette.grey[50]}`}} > { figureId.length > 0 && <Stack sx={{ backgroundColor: darkMode ? "#474747" : "#CBD4E3", borderRadius: 1, position: "absolute", zIndex: 10, right: 80, top: 30, border: theme => `2px solid ${theme.palette.grey[50]}`, }} spacing={2} > <IconButton sx={{borderRadius: 1}} onClick={removeFigure}> <Icon component={BasketIcon} /> </IconButton> </Stack> } </Box> </Stack> </>); }; CandleChart.displayName = "CandleChart"; const CandleChartToolbar = ({chart, paneId, setFigureId, : CandleChartToolbarProps) => { const removeOverlay = () => { chart.current?.removeOverlay(); setFigureId(""); }; return <> <Stack <PriceLineTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <HorizontalStraightLineTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <RayLineTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <SegmentTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <StraightLineTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <ParallelStraightLineTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <FibonacciLineTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <RulerTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <RectTool chart={chart} paneId={paneId} setFigureId={setFigureId}/> <IconButton sx={{borderRadius: 2, "&:hover": {backgroundColor: darkMode ? "#2b2b2b !important" : ""}}} style={{height: 40}} onClick={fullScreenHandle}> <Icon component={FullScreenIcon} sx={{height: 18}} /> </IconButton> <IconButton sx={{borderRadius: 2, "&:hover": {backgroundColor: darkMode ? "#2b2b2b !important" : ""}}} onClick={removeOverlay}> <Icon component={BasketIcon}/> </IconButton> </Stack> </>; }; export default CandleChartToolbar; import {ToolProps} from "./Tool.props"; import {Icon, IconButton, useTheme} from "@mui/material"; import React from "react"; import {StraightLineIcon} from "../../../icons"; const StraightLineTool = ({chart, paneId, setFigureId}: ToolProps) => { const darkMode = useTheme().palette.mode === "dark"; const onClickHandler = () => { chart.current?.createOverlay({ name: "straightLine", styles: { line: { color: darkMode ? "#fff" : "#1e293b", }, rect: { color: darkMode ? "#fff3" : "#1e293b5e", }, point: { color: darkMode ? "#fff" : "#1e293b", borderColor: darkMode ? "#fff" : "#1e293b", activeColor: darkMode ? "#fff" : "#1e293b", activeBorderColor: darkMode ? "#fff3" : "#1e293bd1", }, }, onSelected: function(event) { setFigureId(event.overlay.id); return false; }, onDeselected: function() { setFigureId(""); return false; }, onDrawEnd: function(event) { console.log(event); return false; }, }); }; return <> <IconButton onClick={onClickHandler} sx={{borderRadius: 2, color: darkMode ? "#fff" : "#677294", "&:hover": {backgroundColor: darkMode ? "#2b2b2b !important" : ""}}}> <Icon component={StraightLineIcon} /> </IconButton> </>; }; export default StraightLineTool; 1. Мы рисуем фигуры 2. Приведен один пример отрисвки фигуры StraightLineTool, остальные фигуры так же рисуются 3. в onDrawEnd при отрисовке приходят все данные о фигуре. 4. нужно сделать сохранение всех фигур в localStorage (Чтобы при перерисовки страницы, открытии графика потом, на нем отображались фигуры которые мы нарисовали.) 5. При отрисовке нужно доставать данные и рисовать эти фигуры. 5. Проанализируй весь код, 6. Напиши весь код, что и куда мне надо написать, функции, пропсы все пропиши, все-все напиши чтобы условие работало. 7. напиши мне полностью CandleChart и CandleChartToolbar и StraightLineTool 8. Обязательно должен быть typescript
f03b7e481b58298dfd1562e5bdf55c52
{ "intermediate": 0.33522239327430725, "beginner": 0.49103429913520813, "expert": 0.17374327778816223 }
13,372
With this reference https://github.com/8go/matrix-commander Create one script using or calling matrix-commander.py to start a second Python3 script when I receive the message “GO” and stop the second with the reception of the message “STOP”
36b3ef983f759141249bc8d4de1ba728
{ "intermediate": 0.40668681263923645, "beginner": 0.2789449095726013, "expert": 0.3143683075904846 }
13,373
With this reference https://github.com/8go/matrix-commander Create one script using or calling matrix-commander.py to start a second Python3 script when I receive the message “GO” and stop the second with the reception of the message “STOP”
929f1b3106c0cbc1440f9d81626f8171
{ "intermediate": 0.40668681263923645, "beginner": 0.2789449095726013, "expert": 0.3143683075904846 }
13,374
With this reference https://github.com/8go/matrix-commander. Can you create me one script with matrix_commander to start a second Python3 script when I receive the message “GO” and stop the second with the reception of the message “STOP” from one Matrix Room. To connect to the room we can use the file credentials.json.
eb308f3145cf720e657bc63f2c64e1d2
{ "intermediate": 0.4629688262939453, "beginner": 0.17243824899196625, "expert": 0.36459293961524963 }
13,375
With this reference https://github.com/8go/matrix-commander. Can you create me one script with matrix_commander to start a second Python3 script when I receive the message “GO” and stop the second with the reception of the message “STOP” from one Matrix Room.
2663d33f652cba100fdc412b3de8d4b5
{ "intermediate": 0.48476502299308777, "beginner": 0.14536549150943756, "expert": 0.36986950039863586 }
13,376
Like in this script: https://raw.githubusercontent.com/8go/matrix-commander/master/tests/test-send.py can you create me a matrix_commander script to start a second script when i receive the message START ?
cce2148850407c3dabfff3e2f1418959
{ "intermediate": 0.4984651505947113, "beginner": 0.2276623398065567, "expert": 0.2738725244998932 }
13,377
import 'bootstrap-icons/font/bootstrap-icons.css'; import { useState, useEffect, useRef } from 'react'; import { Col, ListGroup, Button, Form, Accordion, Card, ButtonGroup } from 'react-bootstrap'; import { useNavigate } from 'react-router-dom'; import API from '../API'; import dayjs from 'dayjs'; import '../style.css'; //Can't get it from database because it is not saved. //This number is used only for triggering the re-render of the content of the Forms of each block showed at video. (ex when handleUp or handleDown) function generatelocalId() { return Math.random().toString(36).substring(2) + Date.now().toString(36); } function BlockList(props) { function headerBlock() { this.blockType = "Header"; this.content = ""; } function paragraphBlock() { this.blockType = "Paragraph"; this.content = ""; } function imageBlock() { this.blockType = "Image"; this.content = ""; } const addToList = (x) => { props.setList((oldList) => [...oldList, x]); }; return ( <> <h5 style={{ textAlign: "center" }}>Components</h5> <p></p> <Card> <ListGroup> <ListGroup.Item > Header <Button className="float-end addbutton" variant="outline-success" onClick={() => { addToList(new headerBlock()); }}> <i className="bi bi-plus"></i> </Button> </ListGroup.Item> <ListGroup.Item > Paragraph <Button className="float-end addbutton" variant="outline-success" onClick={() => { addToList(new paragraphBlock()); }}> <i className="bi bi-plus"></i> </Button> </ListGroup.Item> <ListGroup.Item > Image <Button className="float-end addbutton" variant="outline-success" onClick={() => { addToList(new imageBlock()); }}> <i className="bi bi-plus"></i> </Button> </ListGroup.Item> </ListGroup> </Card> </> ); } function CreatePageBody(props) { return ( <Accordion> {props.list.map((x,i) => <MyBlock x={x} i={i} key={generatelocalId()} list={props.list} setList={props.setList} images={props.images} />)} </Accordion> ); } function MyBlock(props) { const x = props.x; const images = props.images; const [content, setContent] = useState(props.list[props.i].content); const inputEl = useRef(null); const removeFromList = (x) => { props.setList((oldlist) => oldlist.filter((item) => item != x)); }; const handleUp = (x) => { props.setList(oldList => { const index = oldList.indexOf(x); const newList = [...oldList]; [newList[index - 1], newList[index]] = [newList[index], newList[index - 1]]; return newList; }); }; const handleDown = (x) => { props.setList(oldList => { const index = oldList.indexOf(x); const newList = [...oldList]; [newList[index], newList[index + 1]] = [newList[index + 1], newList[index]]; return newList; }); }; const handlechange = (ev) => { props.setList(oldList => { const newList = [...oldList]; newList[props.i].content=ev.target.value; return newList; }); }; useEffect(() => { inputEl.current?.focus(); }, [inputEl.current?.value]); return ( <Accordion.Item eventKey={props.list.indexOf(x)}> <Accordion.Header > <div className="accordion-style"> {x.blockType} <ButtonGroup style={{ paddingRight: "2%" }} > {props.list.indexOf(x) != 0 && ( //button as div avoid nested buttons error validateDOMnesting - since accordion header is a button itself! <Button as='div' style={{ fontSize: "0.8rem", padding: "0.25rem 0.5rem" }} variant="outline-secondary" onClick={(ev) => { ev.stopPropagation(); handleUp(x) }}> <i className="bi bi-arrow-up"></i> </Button>)} {props.list.indexOf(x) != (props.list.length - 1) && ( <Button as='div' style={{ fontSize: "0.8rem", padding: "0.25rem 0.5rem" }} variant="outline-secondary" onClick={(ev) => { ev.stopPropagation(); handleDown(x) }}> <i className="bi bi-arrow-down"></i> </Button>)} <Button as='div' size="sm" variant="outline-danger" onClick={(ev) => { ev.stopPropagation(); removeFromList(x) }}> <i className="bi bi-x-lg"></i> </Button> </ButtonGroup> </div> </Accordion.Header> <Accordion.Body> {x.blockType != "Image" ? ( <Form.Control as="textarea" ref={inputEl} onFocus={(e)=>e.currentTarget.setSelectionRange(e.currentTarget.value.length, e.currentTarget.value.length)} value={content} onChange={(ev) => { handlechange(ev) }}></Form.Control> ) : ( <div> {images.map((image) => ( <label key={generatelocalId()} style={{ paddingRight: "20px" }}> <input value={image.url} onChange={(ev) => { handlechange(ev); }} checked={x.content == image.url} type="radio" /> <img className="img-box" src={image.url} alt={image.alt} /> </label> ))} </div> )} </Accordion.Body> </Accordion.Item> ); } function ActionList(props) { // Placed here because otherwise handleAction couldn't call navigate. // Uncaught Error: Invalid hook call. Hooks can only be called inside of the body of a function component. const navigate = useNavigate(); const [date, setDate] = useState(""); // Used to publish programmed pages const list = props.list; const title = props.title; return ( <Col className="pt-4"> <Button variant="warning" style={{ marginBottom: "2%", width: "100%" }} onClick={() => handleAction("draft")}>Save as Draft</Button> <Button variant="success" style={{ marginBottom: "10%", width: "100%" }} onClick={() => handleAction("publish")}>Publish</Button> <Form.Control type="date" name="date" value={date} onChange={(ev) => setDate(ev.target.value)} /> <Button variant="secondary" style={{ marginTop: "2%", width: "100%" }} onClick={() => handleAction("programmed")}>Schedule Publication</Button> </Col> ); function handleAction(action) { let valid = true; let data = {}; if (title.trim() == "") { valid = false; props.handleError("You have to choose a title for the page."); } else if (!(list.some(item => item.blockType == 'Header')) || (!(list.some(item => item.blockType == 'Paragraph') || list.some(item => item.blockType == 'Image'))) ) { valid = false; props.handleError("You have to insert at least a Header and a Paragraph/Image."); } else if (list.some(item => (item.content.trim() == ""))) { valid = false; props.handleError("At least one block without content!"); } if (valid) { data = { // Data formatted. Ready to send it to the server for Page Creation. title: title, blocks: JSON.stringify(list) // Saved directly as json in db }; switch (action) { case "draft": Object.assign(data, { publishDate: null }); break; case "publish": Object.assign(data, { publishDate: dayjs().format("YYYY-MM-DD") }); break; case "programmed": const Date = dayjs(date); if (!Date.isValid() || Date.isBefore(dayjs())) { //dayjs() returns today date props.handleError("Select a valid date."); return; } Object.assign(data, { publishDate: Date.format("YYYY-MM-DD") }); break; default: break; } API.createPage(data) .then(() => { navigate("/backoffice") }) .catch((err) => props.handleError(err)); } } } function Title(props) { return ( <Form.Control type="text" name="text" value={props.title} placeholder="Page Title" onChange={ev => props.setTitle(ev.target.value)} /> ); } export { Title, ActionList, BlockList, CreatePageBody, MyBlock }; When I write one character in the title form then it will change focus to the form of an open accordion
709b4e2293a127e8e7e573667dbc52fb
{ "intermediate": 0.40751445293426514, "beginner": 0.45469725131988525, "expert": 0.137788325548172 }
13,378
Like in this script: https://raw.githubusercontent.com/8go/matrix-commander/master/tests/test-send.py can you create me a matrix_commander script to start a second script when i receive the message START ?
6fe277d8d672f55f42426df4cef5c8c6
{ "intermediate": 0.4984651505947113, "beginner": 0.2276623398065567, "expert": 0.2738725244998932 }
13,379
Whitelabel Error Page. Find and fix this. This application has no explicit mapping for /error, so you are seeing this as a fallback. There was an unexpected error (type=Internal Server Error, status=500). File UserController: import net.crud.springbootcrud.model.User; import net.crud.springbootcrud.service.UserService; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.PostMapping; import java.util.List; @Controller public class UserController { private final UserService userService; public UserController(UserService userService) { this.userService = userService; } @GetMapping(“/users”) public String findAll(Model model){ List<User> users = userService.findAll(); model.addAttribute(“users”,users); return “user-list”; } @GetMapping(“/user-create”) public String createUserForm(User user){ return “user-create”; } @PostMapping(“/user-create”) public String createUser(User user){ userService.saveUser(user); return “redirect:/users”; } File UserService: import net.crud.springbootcrud.model.User; import net.crud.springbootcrud.repository.UserRepository; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import java.util.List; import java.util.Optional; @Service public class UserService { private final UserRepository userRepository; public UserService(UserRepository userRepository) { this.userRepository = userRepository; } public User findById(Long id){ Optional<User> userOptional = userRepository.findById(id); if(userOptional.isPresent()){ return userOptional.get(); } throw new IllegalArgumentException(“User with id " + id + " doesn’t exist”); } public List<User> findAll(){ return userRepository.findAll(); } public User saveUser(User user){ if(user.getUsername() == null || user.getUsername().isEmpty()){ throw new IllegalArgumentException(“Username can not be empty”); } return userRepository.save(user); } public void deleteById(Long id){ Optional<User> userOptional = userRepository.findById(id); if(userOptional.isPresent()){ userRepository.deleteById(id); } else{ throw new IllegalArgumentException(“User with id " + id + " doesn’t exist”); } } } File springbootcrudApllictation: import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; @SpringBootApplication public class SpringbootcrudApplication { public static void main(String[] args) { SpringApplication.run(SpringbootcrudApplication.class, args); } Interface UserRepository: import net.crud.springbootcrud.model.User; import org.springframework.data.jpa.repository.JpaRepository; public interface UserRepository extends JpaRepository<User, Long> { File application.properties:spring.datasource.url=jdbc:mysql://localhost:3306/springbootcrud spring.datasource.driver-class-name=com.mysql.jdbc.Driver spring.datasource.username=root spring.datasource.password=7788 server.port=8050
5a481d60644e32686e7177b4cc6f0205
{ "intermediate": 0.31270766258239746, "beginner": 0.4418395161628723, "expert": 0.24545276165008545 }
13,380
Can you adapt me the next script to start the script "test.py" when I receive the message "GO" from Matrix Room ? #!/usr/bin/python3 r"""test-send.py. This is a simple test program. Furthermore it is an example program demonstrating how 'matrix-commander' can be called from a Python program. """ # isort: skip_file # isort: off from datetime import datetime import sys import os # print(f"Default path is: {sys.path}") # importing matrix_commander module try: # if installed via pip import matrix_commander # nopep8 # isort: skip from matrix_commander import ( main, ) # nopep8 # isort: skip except: # if not installed via pip. if installed via 'git clone' or file download # appending a local path to sys.path sys.path.append("./matrix_commander") sys.path.append("../matrix_commander") # print(f"Expanded path is: {sys.path}") import matrix_commander # nopep8 # isort: skip from matrix_commander import ( main, ) # nopep8 # isort: skip now = datetime.now().strftime("%Y%m%d-%H%M%S") # to make test self-contained, create the test file here inside Python TESTFILE = "test.txt" with open(TESTFILE, "w") as f: f.write("content of test.txt") # set up some test arguments print(f"Running test program: {sys.argv[0]}") print(f"Current working directory is: {os.getcwd()}") print(f"Path is: {sys.path}") print(f"Arguments that are passed on to matrix-commander are: {sys.argv[1:]}") sys.argv[0] = "matrix-commander" sys.argv.extend(["--version"]) sys.argv.extend(["--message", f"Hello World @ {now}!"]) sys.argv.extend(["--file", TESTFILE]) sys.argv.extend(["--print-event-id"]) # sys.argv.extend(["--debug"]) # Github Action Workflow differs from local test as Github Action env # pipes a "" into the input of the program. print(f"Testing with these arguments: {sys.argv}") try: ret = matrix_commander.main() if ret == 0: print("matrix_commander finished successfully.") else: print( f"matrix_commander failed with {ret} error{'' if ret == 1 else 's'}." ) except Exception as e: print(f"Exception happened: {e}") ret = 99 os.remove(TESTFILE) exit(ret)
8dbadf4337b0bd976a4cc1c0a3cd9e9c
{ "intermediate": 0.4543364644050598, "beginner": 0.45363137125968933, "expert": 0.09203208237886429 }
13,381
Can you create a script to receive a message with matrix-commander ?
b372d8089e1ceb790e255efbe382582d
{ "intermediate": 0.44149693846702576, "beginner": 0.11197186261415482, "expert": 0.4465312063694 }
13,382
can you create me a script to start a second script when reveiving the message "GO" and stop when receiving the message "STOP" using https://github.com/8go/matrix-commander
196cbd940bb41cd3ca0f37ec0e7da0ed
{ "intermediate": 0.3960287272930145, "beginner": 0.1326259970664978, "expert": 0.47134527564048767 }
13,383
can you create me a script to listen encrypted message with matrix-nio
8ee3f28a4885c4e1fea21babff1510d5
{ "intermediate": 0.3425862789154053, "beginner": 0.07235835492610931, "expert": 0.5850553512573242 }
13,384
fix this. import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; import org.springframework.boot.web.servlet.error.ErrorController; import org.springframework.web.bind.annotation.RequestMapping; @SpringBootApplication public class SpringbootcrudApplication { @RequestMapping(“/error”) public class CustomErrorController implements ErrorController { @RequestMapping public String handleError() { // Handle the error and return the path to your custom error page return “error”; } @Override public String getErrorPath() { return “/error”; } } public static void main(String[] args) { SpringApplication.run(SpringbootcrudApplication.class, args); } }
7cfc5e7f05582a66b91909652342b709
{ "intermediate": 0.4811190962791443, "beginner": 0.30227673053741455, "expert": 0.21660417318344116 }
13,385
can you create me a script to listen encrypted message with matrix-nio
522d65741cc3fdb77bf8a5284f96f209
{ "intermediate": 0.3425862789154053, "beginner": 0.07235835492610931, "expert": 0.5850553512573242 }
13,386
localhost 8050 page not found.Fix this. Spring Boot "application.properties":spring.datasource.url=jdbc:mysql://localhost:3306/springbootcrud spring.datasource.driver-class-name=com.mysql.jdbc.Driver spring.datasource.username=root spring.datasource.password=7788 server.port=8050 Interface "User Repository": import net.crud.springbootcrud.model.User; import org.springframework.data.jpa.repository.JpaRepository; public interface UserRepository extends JpaRepository<User, Long> { } Java file "UserController": import net.crud.springbootcrud.model.User; import net.crud.springbootcrud.service.UserService; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.PostMapping; import java.util.List; @Controller public class UserController { private final UserService userService; public UserController(UserService userService) { this.userService = userService; } @GetMapping("/users") public String findAll(Model model){ List<User> users = userService.findAll(); model.addAttribute("users",users); return "user-list"; } @GetMapping("/user-create") public String createUserForm(User user){ return "user-create"; } @PostMapping("/user-create") public String createUser(User user){ userService.saveUser(user); return "redirect:/users"; } } Java file "User": import jakarta.persistence.*; import lombok.Data; @Data @Entity @Table(name = "users") public class User { @Id @GeneratedValue(strategy = GenerationType.IDENTITY) private Long id; @Column(name = "first name") private String firstName; @Column(name = "last name") private String lastName; @Column(name = "username") private String username; public String getUsername() { return username; } } Java file "UserService": import net.crud.springbootcrud.model.User; import net.crud.springbootcrud.repository.UserRepository; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import java.util.List; import java.util.Optional; @Service public class UserService { private final UserRepository userRepository; public UserService(UserRepository userRepository) { this.userRepository = userRepository; } public User findById(Long id){ Optional<User> userOptional = userRepository.findById(id); if(userOptional.isPresent()){ return userOptional.get(); } throw new IllegalArgumentException("User with id " + id + " doesn't exist"); } public List<User> findAll(){ return userRepository.findAll(); } public User saveUser(User user){ if(user.getUsername() == null || user.getUsername().isEmpty()){ throw new IllegalArgumentException("Username can not be empty"); } return userRepository.save(user); } public void deleteById(Long id){ Optional<User> userOptional = userRepository.findById(id); if(userOptional.isPresent()){ userRepository.deleteById(id); } else{ throw new IllegalArgumentException("User with id " + id + " doesn't exist"); } } } Java file "spirngbootcrudApplication": import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; import org.springframework.boot.web.servlet.error.ErrorController; import org.springframework.web.bind.annotation.RequestMapping; @SpringBootApplication public class SpringbootcrudApplication implements ErrorController { private static final String PATH = "/error"; @RequestMapping(value = PATH) public String error() { return "error"; // Return the path to your custom error page } public String getErrorPath() { return PATH; } @RequestMapping // Remove the value attribute to map to all paths public String handleError() { // Handle the error and return the path to your custom error page return "error"; } public static void main(String[] args) { SpringApplication.run(SpringbootcrudApplication.class, args); } } }
1fc3e4117a6c2c5b9d870fb969aed63a
{ "intermediate": 0.35680603981018066, "beginner": 0.45657747983932495, "expert": 0.18661639094352722 }
13,387
export const saveFiguresToLocalStorage = (figures: { [key: string]: any }) => { localStorage.setItem("figures", JSON.stringify(figures)); }; export const CandleChart = ({ candles, uniqueId, symbolName, orders, amount, openPrice, closePrice, onScreenshotCreated, chartInterval, setChartInterval, waiting, setWaiting, height, showIntervalSelector, }: CandleChartProps) => { const chart = useRef<Chart|null>(null); const paneId = useRef<string>(""); const [figureId, setFigureId] = useState<string>(""); const ref = useRef<HTMLDivElement>(null); const [figures, setFigures] = useState<{ [key: string]: Figure }>({}); const loadFiguresFromLocalStorage = (): { [key: string]: Figure } => { const figuresData = localStorage.getItem("figures"); if (figuresData) { return JSON.parse(figuresData); } return {}; }; useEffect(() => { const savedFigures = loadFiguresFromLocalStorage(); setFigures(savedFigures); }, []); useEffect(() => { // @ts-ignore chart.current = init(`chart-${uniqueId}`, {styles: chartStyles(theme)}); return () => dispose(`chart-${uniqueId}`); }, [uniqueId]); useEffect(() => { chart.current?.applyNewData(candles); chart.current?.overrideIndicator({ name: "VOL", shortName: "Объем", calcParams: [], figures: [ { key: "volume", title: "", type: "bar", baseValue: 0, styles: (data: IndicatorFigureStylesCallbackData<Vol>, indicator: Indicator, defaultStyles: IndicatorStyle) => { const kLineData = data.current.kLineData as KLineData; let color: string; if (kLineData.close > kLineData.open) { color = utils.formatValue(indicator.styles, "bars[0].upColor", (defaultStyles.bars)[0].upColor) as string; } else if (kLineData.close < kLineData.open) { color = utils.formatValue(indicator.styles, "bars[0].downColor", (defaultStyles.bars)[0].downColor) as string; } else { color = utils.formatValue(indicator.styles, "bars[0].noChangeColor", (defaultStyles.bars)[0].noChangeColor) as string; } return {color}; }, }, ], }, paneId.current); chart.current?.createIndicator("VOL", false, {id: paneId.current}); }, [candles]); у нас есть useState figures. При отрисовке запрашиваются данные.(ключ это id фгуры, а свойство сама фигура) return (<> <CandleChartToolbar setFigureId={setFigureId} chart={chart} paneId={paneId} handle={handle} setFigures={setFigures} overlayRefs={overlayRefs} figures={figures} /> <Box ref={ref} id={`chart-${uniqueId}`} width="calc(100% - 55px)" height="100%" sx={{borderLeft: theme => `2px solid ${theme.palette.grey[50]}`}} > </>); }; const CandleChartToolbar = ({chart, paneId, setFigureId, handle, setFigures}: CandleChartToolbarProps) => { const darkMode = useTheme().palette.mode === "dark"; const removeOverlay = () => { chart.current?.removeOverlay(); setFigureId(""); setFigures({}); localStorage.removeItem("figures"); }; return <> <Stack <PriceLineTool chart={chart} paneId={paneId} setFigureId={setFigureId} setFigures={setFigures}/> <RayLineTool chart={chart} paneId={paneId} setFigureId={setFigureId} setFigures={setFigures}/> <StraightLineTool chart={chart} paneId={paneId} setFigureId={setFigureId} setFigures={setFigures}/> <IconButton sx={{borderRadius: 2, "&:hover": {backgroundColor: darkMode ? "#2b2b2b !important" : ""}}} onClick={removeOverlay}> <Icon component={BasketIcon}/> </IconButton> </Stack> </>; }; export default CandleChartToolbar; import {ToolProps} from "./Tool.props"; import {Icon, IconButton, useTheme} from "@mui/material"; import React from "react"; import {PriceLineIcon} from "../../../icons"; import { saveFiguresToLocalStorage } from "../CandleChart"; const PriceLineTool = ({chart, paneId, setFigureId, setFigures}: ToolProps) => { const darkMode = useTheme().palette.mode === "dark"; const onClickHandler = () => { chart.current?.createOverlay({ name: "priceLine", styles: { text: { color: darkMode ? "#fff" : "#1e293b", }, line: { color: darkMode ? "#fff" : "#1e293b", }, point: { color: darkMode ? "#fff" : "#1e293b", borderColor: darkMode ? "#fff" : "#1e293b", activeColor: darkMode ? "#fff" : "#1e293b", activeBorderColor: darkMode ? "#fff3" : "#1e293bd1", }, }, onSelected: function(event) { setFigureId(event.overlay.id); return false; }, onDeselected: function() { setFigureId(""); return false; }, onDrawEnd: function(event) { setFigures((prevFigures: any) => { const updatedFigures = { ...prevFigures, [event.overlay.id]: event, }; saveFiguresToLocalStorage(updatedFigures); return updatedFigures; }); return false; }, }); }; return <> <IconButton onClick={onClickHandler} sx={{borderRadius: 2, color: darkMode ? "#fff" : "#677294", "&:hover": {backgroundColor: darkMode ? "#2b2b2b !important" : ""}}}> <Icon component={PriceLineIcon} /> </IconButton> </>; }; export default PriceLineTool; Отрисовывается CandleChart, запрашивает данные с localStorage, и если есть данные добавляет в figures. Нужно... если const [figures, setFigures] = useState<{ [key: string]: Figure }>({}); не пустоцй объект, то отрисовывать эти свойства(фигуры) на графике
7bd803ac1cf3023e6415afc3911ce1b8
{ "intermediate": 0.31352439522743225, "beginner": 0.5068406462669373, "expert": 0.1796349287033081 }
13,388
can you adapt me the next script : import matrix_commander import subprocess mc = matrix_commander.MatrixCommander() def start_second_script(message): if message == "GO": subprocess.Popen(['python3', 'second_script.py']) def stop_second_script(message): if message == "STOP": subprocess.call(['pkill', '-f', 'second_script.py']) mc.add_message_handler(start_second_script) mc.add_message_handler(stop_second_script) mc.start() to use : sys.argv[0] = "matrix-commander" sys.argv.extend(["--listen"])
0822bceb4a28c0dacb9114cd4f3707af
{ "intermediate": 0.4395160675048828, "beginner": 0.3644070625305176, "expert": 0.1960769146680832 }
13,389
hey buddy
5e22c65afa05b0cb1a9392785018d86d
{ "intermediate": 0.3439290523529053, "beginner": 0.29645806550979614, "expert": 0.3596128523349762 }
13,390
Hey ... ask me a tough JavaScript question
eb2ff8d58c8080c108f1d56b24ec02a3
{ "intermediate": 0.418704628944397, "beginner": 0.4355153441429138, "expert": 0.14577999711036682 }
13,391
write a login page so beautiful
7157118ffd9b25d06b0cc32a019cb8b7
{ "intermediate": 0.31170669198036194, "beginner": 0.3264657258987427, "expert": 0.361827552318573 }
13,392
check if the user has role assigned to it on discord js
3de1f2b4516aac81c31be403ed707d2b
{ "intermediate": 0.3975036144256592, "beginner": 0.25977110862731934, "expert": 0.3427252471446991 }
13,393
“Please integrate the two codes and modify it to use the dataset and model for the second algorithm, not the dataset for the first algorithm.” Here are the steps to integrate the two codes: first code: from operator import ne import os import torch import argparse import random import numpy as np from model import SASRec from SASRec_utils import from UFN_utils import from torch_ema import ExponentialMovingAverage def str2bool(s): if s not in {‘false’, ‘true’}: raise ValueError(‘Not a valid boolean string’) return s == ‘true’ parser = argparse.ArgumentParser() parser.add_argument(‘–dataset’, default=“Beauty”) parser.add_argument(‘–name’, required=True) parser.add_argument(‘–batch_size’, default=128, type=int) parser.add_argument(‘–lr’, default=0.001, type=float) parser.add_argument(‘–maxlen’, default=50, type=int) parser.add_argument(‘–hidden_units’, default=50, type=int) parser.add_argument(‘–num_blocks’, default=2, type=int) parser.add_argument(‘–num_epochs’, default=201, type=int) parser.add_argument(‘–num_heads’, default=1, type=int) parser.add_argument(‘–dropout_rate’, default=0.5, type=float) parser.add_argument(‘–l2_emb’, default=0.0, type=float) parser.add_argument(‘–device’, default=‘cuda’, type=str) parser.add_argument(‘–neg_nums’, default=100, type=int) parser.add_argument(‘–gpu’, default=“0”, type=str) parser.add_argument(‘–reverse’,default=5,type=int) parser.add_argument(‘–lbd’,default=0.3,type=float) parser.add_argument(‘–decay’,default=0.999,type=float) args = parser.parse_args() os.environ[“CUDA_VISIBLE_DEVICES”] = args.gpu args.name = “./” + args.name if not os.path.isdir(args.dataset + ‘’ + args.name): os.makedirs(args.dataset + '’ + args.name) with open(os.path.join(args.dataset + ‘’ + args.name, ‘args.txt’), ‘w’) as f: f.write(‘\n’.join([str(k) + ‘,’ + str(v) for k, v in sorted(vars(args).items(), key=lambda x: x[0])])) f.close() if name == ‘main’: # global dataset dataset = data_partition(args.dataset) [user_train, user_valid, user_test, usernum, itemnum] = dataset num_batch = len(user_train) // args.batch_size # tail? + ((len(user_train) % args.batch_size) != 0) cc = 0.0 for u in user_train: cc += len(user_train[u]) print(‘average sequence length: %.2f’ % (cc / len(user_train))) f = open(os.path.join(args.dataset + ‘’ + args.name, ‘log.txt’), ‘w’) sampler = WarpSampler(user_train, usernum, itemnum, batch_size=args.batch_size, maxlen=args.maxlen, n_workers=3, neg_nums=args.neg_nums) model = SASRec(usernum, itemnum, args).to(args.device) # no ReLU activation in original SASRec implementation? for name, param in model.named_parameters(): try: torch.nn.init.xavier_normal_(param.data) except: pass # just ignore those failed init layers model.train() # enable model training epoch_start_idx = 1 adam_optimizer = torch.optim.Adam(model.parameters(), lr=args.lr, betas=(0.9, 0.98)) loss_lst = [] flag = False # flag used to decide whether to do negative sampling hard_items = {} # record the user’s fixed ordinal position’s hard negs in in the last training. # key:(user_id, position) values:[hard_negs,…] cnt_items = {} # record frequency of the user’s fixed ordinal position’s hard negs # key:(user_id, position, hard_neg_id) values:The number of occurrences of hard_neg_id, int ema = None for epoch in range(epoch_start_idx, args.num_epochs + 1): sum_loss = 0 for step in range(num_batch): # tqdm(range(num_batch), total=num_batch, ncols=70, leave=False, unit=‘b’): u, seq, pos, neg = sampler.next_batch() # tuples to ndarray u, seq, pos, neg = np.array(u), np.array(seq), np.array(pos), np.array(neg) reverse = hard_neg_sample(u, seq, pos, neg, hard_items, cnt_items, args) pos_ = np.expand_dims(pos, 2) all_samples = np.concatenate((pos_, neg), axis=2) all_logits = model(u, seq, all_samples) teacher_logits = None if flag: if ema == None: ema = ExponentialMovingAverage(model.parameters(), decay=args.decay) ema.to(device = args.device) else: with ema.average_parameters(): teacher_logits = model(u, seq, all_samples) teacher_logits = teacher_logits.detach() pos_labels, neg_labels = torch.ones(all_logits.shape[0], all_logits.shape[1], 1), torch.zeros( all_logits.shape[0], all_logits.shape[1], all_logits.shape[2] - 1) dim0, dim1, dim2 = [],[],[] cnt = 0 for i in reverse: neg_labels[i[0]][i[1]][i[2]] = 1 dim0.append(i[0]) dim1.append(i[1]) dim2.append(i[2] + 1) cnt += 1 reverse_indices = (np.array(dim0), np.array(dim1), np.array(dim2)) if (step == 0): print("num of labels reversed: ",cnt) all_labels = torch.cat((pos_labels, neg_labels), dim=2) all_labels = all_labels.to(device = args.device) indices = np.where(all_samples != 0) bce_criterion = torch.nn.BCEWithLogitsLoss() loss = bce_criterion(all_logits[indices], all_labels[indices]) loss = loss * 2 for param in model.item_emb.parameters(): loss += args.l2_emb * torch.norm(param) if teacher_logits != None and len(reverse_indices[0]): loss += args.lbd * bce_criterion(all_logits[reverse_indices], torch.sigmoid(teacher_logits[reverse_indices])) adam_optimizer.zero_grad() loss.backward() adam_optimizer.step() sum_loss += loss.item() if flag: ema.update() if ((not flag) and len(loss_lst) > 7 and loss_lst[epoch - 3] - loss_lst[epoch - 2] < (loss_lst[0] - loss_lst[5])/200): flag = True if flag: update_hard_negs(u, pos, hard_items, all_logits, all_labels, all_samples, args) # print(“loss in epoch {} iteration {}: {}”.format(epoch, step, loss.item())) loss_lst.append(sum_loss) print(“loss in epoch {} : {}”.format(epoch + 1, sum_loss / num_batch)) if (epoch % 4 == 0): f.write(str(sum_loss) + ’ ‘) model.eval() if flag: with ema.average_parameters(): print(‘Evaluating’, end=’‘) t_test = evaluate(model, dataset, args) t_valid = evaluate_valid(model, dataset, args) else: print(‘Evaluating’, end=’‘) t_test = evaluate(model, dataset, args) t_valid = evaluate_valid(model, dataset, args) print(’\n epoch:%d, valid (NDCG@1: %.4f, NDCG@5: %.4f, NDCG@10: %.4f, HR@1: %.4f, HR@5: %.4f, HR@10: %.4f), test (NDCG@1: %.4f, NDCG@5: %.4f, NDCG@10: %.4f, HR@1: %.4f, HR@5: %.4f, HR@10: %.4f)’ % (epoch, t_valid[0], t_valid[1], t_valid[2], t_valid[3], t_valid[4], t_valid[5], t_test[0], t_test[1], t_test[2], t_test[3], t_test[4], t_test[5])) f.write(str(t_valid) + ’ ’ + str(t_test) + ‘\n’) f.flush() model.train() f.close() sampler.close() print(“Done”) 1. First, load the second code with the necessary libraries and updated false negative detection algorithm. second code: # – coding: utf-8 – “”“ Created on Tue Nov 17 15:33:01 2020 @author: Liwei Huang ”“” import time import torch import numpy as np import random from torch.utils.data import DataLoader from data_prepare import data_partition,NeighborFinder from model import PTGCN from modules import TimeEncode,MergeLayer,time_encoding class Config(object): “”“config.”“” data = ‘Moivelens’ batch_size = 64 n_degree = [20,50] #‘Number of neighbors to sample’ n_head = 4 #‘Number of heads used in attention layer’ n_epoch = 50 #‘Number of epochs’ n_layer = 2 #‘Number of network layers’ lr = 0.0001 #‘Learning rate’ patience = 25 #‘Patience for early stopping’ drop_out = 0.1 #‘Dropout probability’ gpu = 0, #‘Idx for the gpu to use’ node_dim = 160 #‘Dimensions of the node embedding’ time_dim = 160 #‘Dimensions of the time embedding’ embed_dim = 160 #‘Dimensions of the hidden embedding’ is_GPU = True temperature = 0.07 def evaluate(model, ratings, items, dl, adj_user_edge, adj_item_edge, adj_user_time, adj_item_time, device): torch.cuda.empty_cache() NDCG5 = 0.0 NDCG10 = 0.0 recall5 = 0.0 recall10 =0.0 num_sample = 0 with torch.no_grad(): model = model.eval() for ix,batch in enumerate(dl): #if ix%100==0: # print(‘batch:’,ix) count = len(batch) num_sample = num_sample + count b_user_edge = find_latest_1D(np.array(ratings.iloc[batch][‘user_id’]), adj_user_edge, adj_user_time, ratings.iloc[batch][‘timestamp’].tolist()) b_user_edge = torch.from_numpy(b_user_edge).to(device) b_users = torch.from_numpy(np.array(ratings.iloc[batch][‘user_id’])).to(device) b_item_edge = find_latest_1D(np.array(ratings.iloc[batch][‘item_id’]), adj_item_edge, adj_item_time, ratings.iloc[batch][‘timestamp’].tolist()) b_item_edge = torch.from_numpy(b_item_edge).to(device) b_items = torch.from_numpy(np.array(ratings.iloc[batch][‘item_id’])).to(device) timestamps = torch.from_numpy(np.array(ratings.iloc[batch][‘timestamp’])).to(device) negative_samples = sampler(items, adj_user, ratings.iloc[batch][‘user_id’].tolist() ,100) neg_edge = find_latest(negative_samples, adj_item_edge, adj_item_time, ratings.iloc[batch][‘timestamp’].tolist()) negative_samples = torch.from_numpy(np.array(negative_samples)).to(device) item_set = torch.cat([b_items.view(-1,1),negative_samples], dim=1) #batch, 101 timestamps_set = timestamps.unsqueeze(1).repeat(1,101) neg_edge = torch.from_numpy(neg_edge).to(device) edge_set = torch.cat([b_item_edge.view(-1,1),neg_edge], dim=1) #batch, 101 user_embeddings = model(b_users, b_user_edge,timestamps, config.n_layer, nodetype=‘user’) itemset_embeddings = model(item_set.flatten(), edge_set.flatten(), timestamps_set.flatten(), config.n_layer, nodetype=‘item’) itemset_embeddings = itemset_embeddings.view(count, 101, -1) logits = torch.bmm(user_embeddings.unsqueeze(1), itemset_embeddings.permute(0,2,1)).squeeze(1) # [count,101] logits = -logits.cpu().numpy() rank = logits.argsort().argsort()[:,0] recall5 += np.array(rank<5).astype(float).sum() recall10 += np.array(rank<10).astype(float).sum() NDCG5 += (1 / np.log2(rank + 2))[rank<5].sum() NDCG10 += (1 / np.log2(rank + 2))[rank<10].sum() recall5 = recall5/num_sample recall10 = recall10/num_sample NDCG5 = NDCG5/num_sample NDCG10 = NDCG10/num_sample print(“===> recall_5: {:.10f}, recall_10: {:.10f}, NDCG_5: {:.10f}, NDCG_10: {:.10f}, time:{}”.format(recall5, recall10, NDCG5, NDCG10, time.strftime(‘%Y-%m-%d %H:%M:%S’,time.localtime(time.time())))) return recall5, recall10, NDCG5, NDCG10 def sampler(items, adj_user, b_users, size): negs = [] for user in b_users: houxuan = list(set(items)-set(adj_user[user])) src_index = random.sample(list(range(len(houxuan))), size) negs.append(np.array(houxuan)[src_index]) negs = np.array(negs) return negs def find_latest(nodes, adj, adj_time, timestamps): #negative_samples, [b,size] edge = np.zeros_like(nodes) for ix in range(nodes.shape[0]): for iy in range(nodes.shape[1]): node = nodes[ix, iy] edge_idx = np.searchsorted(adj_time[node], timestamps[ix])-1 edge[ix, iy] = np.array(adj[node])[edge_idx] return edge def find_latest_1D(nodes, adj, adj_time, timestamps): #negative_samples, [b,size] edge = np.zeros_like(nodes) for ix in range(nodes.shape[0]): node = nodes[ix] edge_idx = np.searchsorted(adj_time[node], timestamps[ix])-1 edge[ix] = np.array(adj[node])[edge_idx] return edge if name==‘main’: config = Config() checkpoint_dir=‘/models’ min_NDCG10 = 1000.0 max_itrs = 0 device_string = ‘cuda:0’ if torch.cuda.is_available() else ‘cpu’ device = torch.device(device_string) print(“loading the dataset…”) ratings, train_data, valid_data, test_data = data_partition(‘data/movielens/ml-1m’) users = ratings[‘user_id’].unique() items = ratings[‘item_id’].unique() items_in_data = ratings.iloc[train_data+valid_data+test_data][‘item_id’].unique() adj_user = {user: ratings[ratings.user_id == user][‘item_id’].tolist() for user in users} adj_user_edge = {user:ratings[ratings.user_id == user].index.tolist() for user in users} adj_user_time = {user:ratings[ratings.user_id == user][‘timestamp’].tolist() for user in users} adj_item_edge = {item:ratings[ratings.item_id == item].index.tolist() for item in items} adj_item_time = {item:ratings[ratings.item_id == item][‘timestamp’].tolist() for item in items} num_users = len(users) num_items = len(items) neighor_finder = NeighborFinder(ratings) time_encoder = time_encoding(config.time_dim) MLPLayer = MergeLayer(config.embed_dim, config.embed_dim, config.embed_dim, 1) a_users = np.array(ratings[‘user_id’]) a_items = np.array(ratings[‘item_id’]) edge_idx = np.arange(0, len(a_users)) user_neig50 = neighor_finder.get_user_neighbor_ind(a_users, edge_idx, max(config.n_degree), device) item_neig50 = neighor_finder.get_item_neighbor_ind(a_items, edge_idx, max(config.n_degree), device) criterion = torch.nn.CrossEntropyLoss(reduction=‘sum’) model = PTGCN(user_neig50, item_neig50, num_users, num_items, time_encoder, config.n_layer, config.n_degree, config.node_dim, config.time_dim, config.embed_dim, device, config.n_head, config.drop_out ).to(device) optim = torch.optim.Adam(model.parameters(),lr=config.lr) num_params = 0 for param in model.parameters(): num_params += param.numel() print(num_params) # 训练集分为不同batch dl = DataLoader(train_data, config.batch_size, shuffle=True, pin_memory=True) itrs = 0 sum_loss=0 for epoch in range(config.n_epoch): time1 = 0.0 x=0.0 for id,batch in enumerate(dl): #print(‘epoch:’,epoch,’ batch:‘,id) x=x+1 optim.zero_grad() count = len(batch) b_user_edge = find_latest_1D(np.array(ratings.iloc[batch][‘user_id’]), adj_user_edge, adj_user_time, ratings.iloc[batch][‘timestamp’].tolist()) b_user_edge = torch.from_numpy(b_user_edge).to(device) b_users = torch.from_numpy(np.array(ratings.iloc[batch][‘user_id’])).to(device) b_item_edge = find_latest_1D(np.array(ratings.iloc[batch][‘item_id’]), adj_item_edge, adj_item_time, ratings.iloc[batch][‘timestamp’].tolist()) b_item_edge = torch.from_numpy(b_item_edge).to(device) b_items = torch.from_numpy(np.array(ratings.iloc[batch][‘item_id’])).to(device) timestamps = torch.from_numpy(np.array(ratings.iloc[batch][‘timestamp’])).to(device) negative_samples = sampler(items_in_data, adj_user, ratings.iloc[batch][‘user_id’].tolist() ,1) neg_edge = find_latest(negative_samples, adj_item_edge, adj_item_time, ratings.iloc[batch][‘timestamp’].tolist()) negative_samples = torch.from_numpy(np.array(negative_samples)).to(device) negative_samples = negative_samples.squeeze() neg_edge = torch.from_numpy(neg_edge).to(device) neg_edge = neg_edge.squeeze() time0 = time.time() user_embeddings = model(b_users, b_user_edge, timestamps, config.n_layer, nodetype=‘user’) item_embeddings = model(b_items, b_item_edge, timestamps, config.n_layer, nodetype=‘item’) negs_embeddings = model(negative_samples, neg_edge, timestamps, config.n_layer, nodetype=‘item’) with torch.no_grad(): labels = torch.zeros(count, dtype=torch.long).to(device) l_pos = torch.bmm(user_embeddings.view(count, 1, -1), item_embeddings.view(count, -1, 1)).view(count, 1) # [count,1] l_u = torch.bmm(user_embeddings.view(count, 1, -1), negs_embeddings.view(count, -1, 1)).view(count, 1) # [count,n_negs] logits = torch.cat([l_pos, l_u], dim=1) # [count, 2] loss = criterion(logits/config.temperature, labels) loss.backward() optim.step() itrs += 1 #time1 = time1 + (time.time() - time0) #print(‘time:’+str(time1 / x)) sum_loss = sum_loss + loss.item() avg_loss = sum_loss / itrs if id%10==0: print(“===>({}/{}, {}): loss: {:.10f}, avg_loss: {:.10f}, time:{}”.format(id, len(dl), epoch, loss.item(), avg_loss, time.strftime(’%Y-%m-%d %H:%M:%S’,time.localtime(time.time())))) print(“===>({}): loss: {:.10f}, avg_loss: {:.10f}, time:{}”.format(epoch, loss.item(), avg_loss, time.strftime(‘%Y-%m-%d %H:%M:%S’,time.localtime(time.time())))) ### Validation if epoch%3==0: val_bl = DataLoader(valid_data, 5, shuffle=True, pin_memory=True) recall5, recall10, NDCG5, NDCG10 = evaluate(model, ratings, items, val_bl, adj_user_edge, adj_item_edge, adj_user_time, adj_item_time, device) if min_NDCG10>NDCG10: min_NDCG10 = NDCG10 max_itrs = 0 else: max_itrs += 1 if max_itrs>config.patience: break print(‘Epoch %d test’ % epoch) test_bl1 = DataLoader(test_data, 5, shuffle=True, pin_memory=True) recall5, recall10, NDCG5, NDCG10 = evaluate(model, ratings, items, test_bl1, adj_user_edge, adj_item_edge, adj_user_time, adj_item_time, device) 2.Load the new data containing false negative samples into the code based on the first algorithm. 3.Use the false negative detection algorithm from the first code to identify the false negative samples. 4.Using the teacher-student learning technique from the first code, change the label of the false negative samples to positive and add the new data to the training data. 5.Finally, train the model with the new data and evaluate its performance on the test data. By following these steps, "Please integrate the two codes and modify it to use the dataset and model for the second algorithm, not the dataset for the first algorithm and use the false negative detection algorithm and teacher-student learning technique from the first algorithm to correct false negative samples in the first algorithm.
b4164bc8c4abb10284c9bda93d2a4c9b
{ "intermediate": 0.35618552565574646, "beginner": 0.4579388499259949, "expert": 0.18587560951709747 }
13,394
en chroot impossible de mettre add-apt-repository ppa:mozillateam/ppa
49404909ef3b9cd0a8ed82fe2186c4e1
{ "intermediate": 0.41488921642303467, "beginner": 0.27398210763931274, "expert": 0.311128705739975 }
13,395
<?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-parent</artifactId> <version>2.2.2.RELEASE</version> <relativePath/> <!-- lookup parent from repository --> </parent> <groupId>net.proselyte</groupId> <artifactId>springbootdemo</artifactId> <version>0.0.1-SNAPSHOT</version> <name>springbootcrud</name> <description>Demo project for Spring Boot</description> <properties> <java.version>1.8</java.version> </properties> <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-data-jpa</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-thymeleaf</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> <dependency> <groupId>mysql</groupId> <artifactId>mysql-connector-java</artifactId> <scope>runtime</scope> </dependency> <dependency> <groupId>org.projectlombok</groupId> <artifactId>lombok</artifactId> <optional>true</optional> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-test</artifactId> <scope>test</scope> <exclusions> <exclusion> <groupId>org.junit.vintage</groupId> <artifactId>junit-vintage-engine</artifactId> </exclusion> </exclusions> </dependency> </dependencies> <build> <plugins> <plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> </plugin> </plugins> </build> <profiles> <profile> <id>prod</id> <properties> <spring.profiles.active>prod</spring.profiles.active> </properties> </profile> </profiles> </project> Fix this.
36fea84b73207d6d8a719b56b90e0e5e
{ "intermediate": 0.2750382423400879, "beginner": 0.4267255663871765, "expert": 0.2982361316680908 }
13,396
can you wirte a TensorFlow.NET Deep Lern Alogrithm in c# that can use the machine after lerning
6c0b73dfa0f9a81ecade5d61a0808354
{ "intermediate": 0.37011095881462097, "beginner": 0.057212743908166885, "expert": 0.5726763010025024 }
13,397
write a deboucing logic using useEffect in react,the dependency array of useEffect is tempNoteText
638880c40af4113cc5e0709f72217933
{ "intermediate": 0.5003726482391357, "beginner": 0.1831231266260147, "expert": 0.31650421023368835 }
13,398
in pom.xml,put them in their places. <?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-parent</artifactId> <version>3.1.1</version> <relativePath/> <!-- lookup parent from repository --> </parent> <groupId>net.crud</groupId> <artifactId>springbootcrud</artifactId> <version>0.0.1-SNAPSHOT</version> <name>springbootcrud</name> <description>Demo project for Spring Boot</description> <properties> <java.version>17</java.version> </properties> <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-data-jpa</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-thymeleaf</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> <dependency> <groupId>com.mysql</groupId> <artifactId>mysql-connector-j</artifactId> <scope>runtime</scope> </dependency> <dependency> <groupId>org.projectlombok</groupId> <artifactId>lombok</artifactId> <optional>true</optional> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-test</artifactId> <scope>test</scope> </dependency> </dependencies> <build> <plugins> <plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> <configuration> <excludes> <exclude> <groupId>org.projectlombok</groupId> <artifactId>lombok</artifactId> </exclude> </excludes> </configuration> </plugin> </plugins> </build> </project> <bean id="sessionFactory" class="org.springframework.orm.hibernate5.LocalSessionFactoryBean"> <property name="dataSource" ref="dataSource"/> <property name="packagesToScan" value="com.baeldung.hibernate.bootstrap.model"/> <property name="hibernateProperties"> <props> <prop key="hibernate.hbm2ddl.auto"> create-drop </prop> <prop key="hibernate.dialect"> org.hibernate.dialect.H2Dialect </prop> </props> </property> </bean> <bean id="dataSource" class="org.apache.tomcat.dbcp.dbcp2.BasicDataSource"> <property name="driverClassName" value="org.h2.Driver"/> <property name="url" value="jdbc:h2:mem:db;DB_CLOSE_DELAY=-1"/> <property name="username" value="sa"/> <property name="password" value="sa"/> </bean> <bean id="txManager" class="org.springframework.orm.hibernate5.HibernateTransactionManager"> <property name="sessionFactory" ref="sessionFactory"/> </bean> </beans>
e5a49d9d8d86e27648bb39da99ae6265
{ "intermediate": 0.3484720289707184, "beginner": 0.4805416166782379, "expert": 0.1709863841533661 }
13,399
Error starting ApplicationContext. To display the condition evaluation report re-run your application with 'debug' enabled. 2023-06-24T15:32:26.728+03:00 ERROR 15132 --- [ main] o.s.boot.SpringApplication : Application run failed org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'userController' defined in file [D:\springbootcrud\target\classes\net\crud\springbootcrud\controller\UserController.class]: Unsatisfied dependency expressed through constructor parameter 0: Error creating bean with name 'userService' defined in file [D:\springbootcrud\target\classes\net\crud\springbootcrud\service\UserService.class]: Unsatisfied dependency expressed through constructor parameter 0: Error creating bean with name 'userRepository' defined in net.crud.springbootcrud.repository.UserRepository defined in @EnableJpaRepositories declared on JpaRepositoriesRegistrar.EnableJpaRepositoriesConfiguration: Not a managed type: class net.crud.springbootcrud.model.User at org.springframework.beans.factory.support.ConstructorResolver.createArgumentArray(ConstructorResolver.java:800) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.ConstructorResolver.autowireConstructor(ConstructorResolver.java:245) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.autowireConstructor(AbstractAutowireCapableBeanFactory.java:1352) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1189) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:560) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:520) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:326) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:324) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:200) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.DefaultListableBeanFactory.preInstantiateSingletons(DefaultListableBeanFactory.java:973) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.context.support.AbstractApplicationContext.finishBeanFactoryInitialization(AbstractApplicationContext.java:941) ~[spring-context-6.0.10.jar:6.0.10] at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:608) ~[spring-context-6.0.10.jar:6.0.10] at org.springframework.boot.web.servlet.context.ServletWebServerApplicationContext.refresh(ServletWebServerApplicationContext.java:146) ~[spring-boot-3.1.1.jar:3.1.1] at org.springframework.boot.SpringApplication.refresh(SpringApplication.java:734) ~[spring-boot-3.1.1.jar:3.1.1] at org.springframework.boot.SpringApplication.refreshContext(SpringApplication.java:436) ~[spring-boot-3.1.1.jar:3.1.1] at org.springframework.boot.SpringApplication.run(SpringApplication.java:312) ~[spring-boot-3.1.1.jar:3.1.1] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1306) ~[spring-boot-3.1.1.jar:3.1.1] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1295) ~[spring-boot-3.1.1.jar:3.1.1] at net.crud.springbootcrud.SpringbootcrudApplication.main(SpringbootcrudApplication.java:11) ~[classes/:na] Caused by: org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'userService' defined in file [D:\springbootcrud\target\classes\net\crud\springbootcrud\service\UserService.class]: Unsatisfied dependency expressed through constructor parameter 0: Error creating bean with name 'userRepository' defined in net.crud.springbootcrud.repository.UserRepository defined in @EnableJpaRepositories declared on JpaRepositoriesRegistrar.EnableJpaRepositoriesConfiguration: Not a managed type: class net.crud.springbootcrud.model.User at org.springframework.beans.factory.support.ConstructorResolver.createArgumentArray(ConstructorResolver.java:800) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.ConstructorResolver.autowireConstructor(ConstructorResolver.java:245) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.autowireConstructor(AbstractAutowireCapableBeanFactory.java:1352) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1189) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:560) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:520) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:326) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:324) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:200) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.config.DependencyDescriptor.resolveCandidate(DependencyDescriptor.java:254) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.DefaultListableBeanFactory.doResolveDependency(DefaultListableBeanFactory.java:1417) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.DefaultListableBeanFactory.resolveDependency(DefaultListableBeanFactory.java:1337) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.ConstructorResolver.resolveAutowiredArgument(ConstructorResolver.java:888) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.ConstructorResolver.createArgumentArray(ConstructorResolver.java:791) ~[spring-beans-6.0.10.jar:6.0.10] ... 19 common frames omitted Caused by: org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'userRepository' defined in net.crud.springbootcrud.repository.UserRepository defined in @EnableJpaRepositories declared on JpaRepositoriesRegistrar.EnableJpaRepositoriesConfiguration: Not a managed type: class net.crud.springbootcrud.model.User at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.initializeBean(AbstractAutowireCapableBeanFactory.java:1770) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:598) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:520) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:326) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:324) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:200) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.config.DependencyDescriptor.resolveCandidate(DependencyDescriptor.java:254) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.DefaultListableBeanFactory.doResolveDependency(DefaultListableBeanFactory.java:1417) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.DefaultListableBeanFactory.resolveDependency(DefaultListableBeanFactory.java:1337) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.ConstructorResolver.resolveAutowiredArgument(ConstructorResolver.java:888) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.ConstructorResolver.createArgumentArray(ConstructorResolver.java:791) ~[spring-beans-6.0.10.jar:6.0.10] ... 33 common frames omitted Caused by: java.lang.IllegalArgumentException: Not a managed type: class net.crud.springbootcrud.model.User at org.hibernate.metamodel.model.domain.internal.JpaMetamodelImpl.managedType(JpaMetamodelImpl.java:192) ~[hibernate-core-6.2.5.Final.jar:6.2.5.Final] at org.hibernate.metamodel.model.domain.internal.MappingMetamodelImpl.managedType(MappingMetamodelImpl.java:467) ~[hibernate-core-6.2.5.Final.jar:6.2.5.Final] at org.hibernate.metamodel.model.domain.internal.MappingMetamodelImpl.managedType(MappingMetamodelImpl.java:97) ~[hibernate-core-6.2.5.Final.jar:6.2.5.Final] at org.springframework.data.jpa.repository.support.JpaMetamodelEntityInformation.<init>(JpaMetamodelEntityInformation.java:80) ~[spring-data-jpa-3.1.1.jar:3.1.1] at org.springframework.data.jpa.repository.support.JpaEntityInformationSupport.getEntityInformation(JpaEntityInformationSupport.java:69) ~[spring-data-jpa-3.1.1.jar:3.1.1] at org.springframework.data.jpa.repository.support.JpaRepositoryFactory.getEntityInformation(JpaRepositoryFactory.java:246) ~[spring-data-jpa-3.1.1.jar:3.1.1] at org.springframework.data.jpa.repository.support.JpaRepositoryFactory.getTargetRepository(JpaRepositoryFactory.java:211) ~[spring-data-jpa-3.1.1.jar:3.1.1] at org.springframework.data.jpa.repository.support.JpaRepositoryFactory.getTargetRepository(JpaRepositoryFactory.java:194) ~[spring-data-jpa-3.1.1.jar:3.1.1] at org.springframework.data.jpa.repository.support.JpaRepositoryFactory.getTargetRepository(JpaRepositoryFactory.java:81) ~[spring-data-jpa-3.1.1.jar:3.1.1] at org.springframework.data.repository.core.support.RepositoryFactorySupport.getRepository(RepositoryFactorySupport.java:317) ~[spring-data-commons-3.1.1.jar:3.1.1] at org.springframework.data.repository.core.support.RepositoryFactoryBeanSupport.lambda$afterPropertiesSet$5(RepositoryFactoryBeanSupport.java:279) ~[spring-data-commons-3.1.1.jar:3.1.1] at org.springframework.data.util.Lazy.getNullable(Lazy.java:245) ~[spring-data-commons-3.1.1.jar:3.1.1] at org.springframework.data.util.Lazy.get(Lazy.java:114) ~[spring-data-commons-3.1.1.jar:3.1.1] at org.springframework.data.repository.core.support.RepositoryFactoryBeanSupport.afterPropertiesSet(RepositoryFactoryBeanSupport.java:285) ~[spring-data-commons-3.1.1.jar:3.1.1] at org.springframework.data.jpa.repository.support.JpaRepositoryFactoryBean.afterPropertiesSet(JpaRepositoryFactoryBean.java:132) ~[spring-data-jpa-3.1.1.jar:3.1.1] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.invokeInitMethods(AbstractAutowireCapableBeanFactory.java:1816) ~[spring-beans-6.0.10.jar:6.0.10] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.initializeBean(AbstractAutowireCapableBeanFactory.java:1766) ~[spring-beans-6.0.10.jar:6.0.10] ... 44 common frames omitted
76435971a51512dddd9cbd1958d2c442
{ "intermediate": 0.4294763505458832, "beginner": 0.4543275237083435, "expert": 0.11619611084461212 }
13,400
java code to make two Jlabels with icons inside draggable to any position of full screen JFrame screen , kepp the jlabel pos in sync with new dragged mouse pos
d742953834e88914de4ae6c280e5a163
{ "intermediate": 0.5569931268692017, "beginner": 0.15050671994686127, "expert": 0.2925001084804535 }
13,401
Make sure the User class is annotated with @Entity. This annotation tells Spring that the User class is a managed entity that needs to be persisted in the database. import lombok.Data; import javax.persistence.Column; import javax.persistence.Entity; import javax.persistence.GeneratedValue; import javax.persistence.GenerationType; import javax.persistence.Id; import javax.persistence.Table; @Data @Entity @Table(name = "users") public class User { @Id @GeneratedValue(strategy = GenerationType.IDENTITY) private Long id; @Column(name = "first_name") private String firstName; @Column(name = "last_name") private String lastName; }
eecd27f01bbcdc09a3d2dfaa2192b3da
{ "intermediate": 0.41489601135253906, "beginner": 0.30768463015556335, "expert": 0.2774193286895752 }
13,402
In general, you should use run if you just need to run a command and capture its output and Popen if you need more control over the process, such as interacting with its input and output streams. The Popen class takes the same arguments as run(), including the args that specify the command to be run and other optional arguments such as stdin, stdout, stderr, shell, cwd, and env. The Popen class has several methods that allow you to interact with the process, such as communicate(), poll(), wait(), terminate(), and kill(). please illustrate this paragraph and what is called the input and output stream?
140bbdce5017e00fb266813748eb3c89
{ "intermediate": 0.4754999577999115, "beginner": 0.3016180992126465, "expert": 0.22288194298744202 }
13,403
Error starting ApplicationContext. To display the condition evaluation report re-run your application with 'debug' enabled. 2023-06-24T15:32:26.728+03:00 ERROR 15132 --- [ main] o.s.boot.SpringApplication : Application run failed org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'userController' defined in file [D:\springbootcrud\target\classes\net\crud\springbootcrud\controller\UserController.class]: Unsatisfied dependency expressed through constructor parameter 0: Error creating bean with name 'userService' defined in file [D:\springbootcrud\target\classes\net\crud\springbootcrud\service\UserService.class]: Unsatisfied dependency expressed through constructor parameter 0: Error creating bean with name 'userRepository' defined in net.crud.springbootcrud.repository.UserRepository defined in @EnableJpaRepositories declared on JpaRepositoriesRegistrar.EnableJpaRepositoriesConfiguration: Not a managed type: class net.crud.springbootcrud.model.User
fb87a0b0a57099af0569d6e546d42e5a
{ "intermediate": 0.5507674813270569, "beginner": 0.29686635732650757, "expert": 0.15236617624759674 }
13,404
this the code I got, but I feel that is doesn't make any sence.. if the "product" table is on the "right join", why would it be on the left side of the "="? select p.productid, p.title from review r right join product p on p.productid=r.productid where r.productid is null
19517a3612116addb5f47afae25dfcc4
{ "intermediate": 0.3929015100002289, "beginner": 0.3323396146297455, "expert": 0.27475881576538086 }
13,405
import { Client, GatewayIntentBits, Routes, Partials, Events, } from "discord.js"; import { config } from "dotenv"; import { REST } from "discord.js"; import commandManger from "./commands/order.js"; import rolesCommand from "./commands/roles.js"; import usersCommand from "./commands/user.js"; import channelsCommand from "./commands/channel.js"; import banCommand from "./commands/ban.js"; import getEmojiiListRoles from "./emojiiList.js" import reactionAdded from "./reaction-manger/reactionAdd.js"; import reactionRemoved from "./reaction-manger/reactionRemove.js"; import mongoose from "mongoose"; config(); const client = new Client({ intents: [ GatewayIntentBits.Guilds, GatewayIntentBits.GuildMessages, GatewayIntentBits.MessageContent, GatewayIntentBits.GuildMessageReactions, ], partials: [Partials.Message, Partials.Channel, Partials.Reaction], }); const Token = process.env.BOT_TOKEN; const CLIENT_ID = process.env.CLIENT_ID; const GUILD_ID = process.env.GUILD_ID; const channel_Id = process.env.CHOOSE_ID; const emojisList = await getEmojiiListRoles(); const rest = new REST({ version: "10" }).setToken(Token); client.login(Token); client.on("ready", () => { console.log(`${client.user.tag} has logged IN`); }); try{ const channel = client.channels.cache.get(channel_Id) const messages = await channel.messages.fetch({ limit: 10 }); messages.forEach(message => { message.reactions.cache.forEach( async (reaction) =>{ const users = await reaction.users.fetch(); users.forEach((user)=>{ reactionAdded(reaction, user, emojisList, channel_Id,message); }) } ) }); } catch(error){ console.error("Error fetching old messages:", error); } client.on(Events.MessageReactionAdd, async (reaction, user) => { reactionAdded(reaction, user, emojisList, channel_Id, message); }); client.on(Events.MessageReactionRemove, async (reaction, user) => { reactionRemoved(reaction, user, emojisList, channel_Id); }); client.on("interactionCreate", (interaction) => { if (interaction.isChatInputCommand) { if (interaction.commandName === "order") { console.log("order"); } } }); async function main() { const commands = [ commandManger, rolesCommand, usersCommand, channelsCommand, banCommand, ]; try { console.log("starting commands"); await rest.put(Routes.applicationGuildCommands(CLIENT_ID, GUILD_ID), { body: commands, }); } catch (err) { console.log(err); } } main(); Cannot read properties of undefined (reading 'messages')
876e5436e812a73d708f1e315a792e38
{ "intermediate": 0.25780412554740906, "beginner": 0.42986613512039185, "expert": 0.3123297095298767 }
13,406
I have asp.net core mvc application. My form is postbacked for a long time. How do I increase timeout for a client because client get timeout exception at the moment
2bbb2876defa0f02eff2103a963f5749
{ "intermediate": 0.515069305896759, "beginner": 0.26740503311157227, "expert": 0.2175256311893463 }
13,407
import sys stdin_fileno = sys.stdin # Keeps reading from stdin and quits only if the word 'exit' is there # This loop, by default does not terminate, since stdin is open for line in stdin_fileno: # Remove trailing newline characters using strip() if 'exit' == line.strip(): print('Found exit. Terminating the program') exit(0) else: print('Message from sys.stdin: ---> {} <---'.format(line)) what is the type of stdin_fileno and why the for loop here never ends
9f335a203dfc0c5a247d9f40b622d885
{ "intermediate": 0.1627916842699051, "beginner": 0.7819408178329468, "expert": 0.05526744946837425 }
13,408
hello
3192e659e1981d504d1e74b5c7ec517c
{ "intermediate": 0.32064199447631836, "beginner": 0.28176039457321167, "expert": 0.39759764075279236 }
13,409
ant design icon. нужна иконка похожая на жесткий диск
b5d8044815f8f4d505ab0f8b71bd22e5
{ "intermediate": 0.33134064078330994, "beginner": 0.279998779296875, "expert": 0.38866057991981506 }
13,410
file:///D:/Home/discord%20bots/vtuber-assistant-aki/src/reaction-manger/reactionRemove.js:11 message.reactions.cache.add(reaction); // add the reaction to the message’s cache ^ TypeError: Cannot read properties of undefined (reading 'cache') at reactionRemoved (file:///D:/Home/discord%20bots/vtuber-assistant-aki/src/reaction-manger/reactionRemove.js:11:23) at Client.<anonymous> (file:///D:/Home/discord%20bots/vtuber-assistant-aki/src/index.js:60:3) at Client.emit (node:events:513:28) at MessageReactionRemove.handle (D:\Home\discord bots\vtuber-assistant-aki\node_modules\discord.js\src\client\actions\MessageReactionRemove.js:39:17) at module.exports [as MESSAGE_REACTION_REMOVE] (D:\Home\discord bots\vtuber-assistant-aki\node_modules\discord.js\src\client\websocket\handlers\MESSAGE_REACTION_REMOVE.js:4:40) at WebSocketManager.handlePacket (D:\Home\discord bots\vtuber-assistant-aki\node_modules\discord.js\src\client\websocket\WebSocketManager.js:354:31) at WebSocketManager.<anonymous> (D:\Home\discord bots\vtuber-assistant-aki\node_modules\discord.js\src\client\websocket\WebSocketManager.js:238:12) at WebSocketManager.emit (D:\Home\discord bots\vtuber-assistant-aki\node_modules\@vladfrangu\async_event_emitter\dist\index.js:282:31) at WebSocketShard.<anonymous> (D:\Home\discord bots\vtuber-assistant-aki\node_modules\@discordjs\ws\dist\index.js:1103:51) at WebSocketShard.emit (D:\Home\discord bots\vtuber-assistant-aki\node_modules\@vladfrangu\async_event_emitter\dist\index.js:282:31)
7912b50700d72aebe9113988f08ddc0d
{ "intermediate": 0.41507360339164734, "beginner": 0.31062906980514526, "expert": 0.2742973268032074 }
13,411
flink code example
1de8d4519078f47e3b43bb186242b1e4
{ "intermediate": 0.3488922119140625, "beginner": 0.272108793258667, "expert": 0.3789990246295929 }
13,412
Can you make an AutoHotkey script, so that when i press Space it will loop 2 key presses: Enter then type "Spam"
ea71e8957984d668d9e78c6f549d8df2
{ "intermediate": 0.2865867018699646, "beginner": 0.4596780240535736, "expert": 0.2537353038787842 }
13,413
I have a request in chrome developer console. it has certain things that are taken from previous requests. how do i track the whole chain automatically and push the code into python? I want to do in request only what is necessary for a particular request. but this query contains values from other queries and it's too hard to track it manually.
bedb9a16ce7f5aa53018c68151f455bb
{ "intermediate": 0.5553905367851257, "beginner": 0.3015981614589691, "expert": 0.14301136136054993 }
13,414
how to run tkinter and also the pyqt5 in different processes
40314b56a2d626672cde8b45eb900537
{ "intermediate": 0.568906307220459, "beginner": 0.11633918434381485, "expert": 0.3147544860839844 }
13,415
give code for eda on this dataset using matplotlib ,seaborn and plotly and write possible conclusion for each visualization artist song duration_ms explicit year popularity danceability energy key loudness mode speechiness acousticness instrumentalness liveness valence tempo genre 0 Britney Spears Oops!...I Did It Again 211160 False 2000 77 0.751 0.834 1 -5.444 0 0.0437 0.3000 0.000018 0.3550 0.894 95.053 pop 1 blink-182 All The Small Things 167066 False 1999 79 0.434 0.897 0 -4.918 1 0.0488 0.0103 0.000000 0.6120 0.684 148.726 rock, pop 2 Faith Hill Breathe 250546 False 1999 66 0.529 0.496 7 -9.007 1 0.0290 0.1730 0.000000 0.2510 0.278 136.859 pop, country 3 Bon Jovi It's My Life 224493 False 2000 78 0.551 0.913 0 -4.063 0 0.0466 0.0263 0.000013 0.3470 0.544 119.992 rock, metal 4 *NSYNC Bye Bye Bye 200560 False 2000 65 0.614 0.928 8 -4.806 0 0.0516 0.0408 0.001040 0.0845 0.879 172.656 pop
abf38a7ca67b53d0a5bd7026f8f3335b
{ "intermediate": 0.5573036074638367, "beginner": 0.19950976967811584, "expert": 0.2431865632534027 }
13,416
i still dont get it… why did SQL returned a long column woth “1” every raw when I gave it this: select count(*) FROM Production.Product group by name
424071deb8626b181e04a1cdf33de106
{ "intermediate": 0.46855223178863525, "beginner": 0.2698073983192444, "expert": 0.2616403102874756 }
13,417
Hallo
38d012cef7bee00fd595dbb1bf3f7466
{ "intermediate": 0.3504951000213623, "beginner": 0.2534025311470032, "expert": 0.3961023688316345 }
13,418
how do i resolve these conflicts Error: Transaction test error: file /usr/share/drirc.d/00-radv-defaults.conf from install of mesa-vulkan-drivers-23.1.2-1.fc38.x86_64 conflicts with file from package mesa-dri-drivers-22.1.0-0.3.20220328.35.81039fe.fc35.x86_64 file /usr/share/drirc.d/00-radv-defaults.conf from install of mesa-vulkan-drivers-23.1.2-1.fc38.x86_64 conflicts with file from package mesa-dri-drivers-22.1.0-0.3.20220328.35.81039fe.fc35.i686 file /usr/share/drirc.d/00-radv-defaults.conf from install of mesa-vulkan-drivers-23.1.2-1.fc38.i686 conflicts with file from package mesa-dri-drivers-22.1.0-0.3.20220328.35.81039fe.fc35.x86_64 file /usr/share/drirc.d/00-radv-defaults.conf from install of mesa-vulkan-drivers-23.1.2-1.fc38.i686 conflicts with file from package mesa-dri-drivers-22.1.0-0.3.20220328.35.81039fe.fc35.i686
7cd0c5de6e3e4a06865120c7dbc5748a
{ "intermediate": 0.5100472569465637, "beginner": 0.2792744040489197, "expert": 0.2106783092021942 }
13,419
How to find video in Firefox cache
ab1720de9f251547dccb075628d72cea
{ "intermediate": 0.2883070707321167, "beginner": 0.27846211194992065, "expert": 0.43323084712028503 }
13,420
import sys import time stdout_fileno = sys.stdout sample_input = [‘Hi’, ‘Hello from AskPython’, ‘exit’] while(1): stdout_fileno.write(‘Hi’ + ‘\n’) stdout_fileno.flush() time.sleep(0.1). what is the role of flush here, is the string written to disk or somewhere?
8309dc97b06070cc00e2bc98bba018a4
{ "intermediate": 0.6250330805778503, "beginner": 0.2232408970594406, "expert": 0.15172603726387024 }
13,421
how to get reaction from the message discord js
da7acabce3fa84a94e3980a1dd7219f4
{ "intermediate": 0.26985424757003784, "beginner": 0.2984657883644104, "expert": 0.431679904460907 }
13,422
can you write me a C++ script for walking in my unity game?
f70baeef394407e09846013823b20767
{ "intermediate": 0.32710689306259155, "beginner": 0.4039948582649231, "expert": 0.26889821887016296 }
13,423
in minecarft java edition. can you run multiple commands using a single command block?
d6b3eb523ba3271c333a01055e51f1a1
{ "intermediate": 0.5093167424201965, "beginner": 0.22552375495433807, "expert": 0.2651594877243042 }
13,424
can you write me python code for an AI that can beat levels in geometry dash?
c0c2a294f30ecc53356e090b228e1add
{ "intermediate": 0.1832987368106842, "beginner": 0.08005791902542114, "expert": 0.7366434335708618 }
13,425
other ways to do thread-safe sharing data
4ed4f0f601c434f37d8cca1a96e88bb7
{ "intermediate": 0.4701358675956726, "beginner": 0.16171520948410034, "expert": 0.3681489825248718 }
13,426
List<Clients> clientsList = new List<Clients>(); Invoke((MethodInvoker)(() => { lock (Settings.LockListviewClients) { foreach (ListViewItem itm in listView1.Items) { new HandleLogs().Addmsg(itm.SubItems.Count().ToString(), Color.Red); clientsList.Add((Clients)itm.Tag); } } })); get all element of item
b756e64856bf0ff1ee483cd5aba113ec
{ "intermediate": 0.3765982687473297, "beginner": 0.379158079624176, "expert": 0.24424365162849426 }
13,427
the tech lead is requesting that a primary key of the user table should be the primary key for the student... does that make sense?
d093a60e56e9997862e8fd54fd1f3dee
{ "intermediate": 0.2870677709579468, "beginner": 0.20120353996753693, "expert": 0.5117286443710327 }
13,428
client.on("ready", async () => { const guild = await client.guilds.fetch(GUILD_ID); const channel = guild.channels.cache.get(channel_Id ); const message = await channel.messages.fetch(messageID); console.log(`${client.user.tag} has logged IN`); }); I want to cache the messages
08b0d0aebf2a78afdb320e21ebda3f99
{ "intermediate": 0.3863961696624756, "beginner": 0.3382422924041748, "expert": 0.2753615379333496 }
13,429
help me solve this c# error: You cannot set Visibility or call Show, ShowDialog or WindowInteropHelper.EnsureHandle after a Window element has been closed. Source -> PresentationFramework StackTrace -> in System.Windows.Window.VerifyCanShow() in System.Windows.Window.ShowDialog() TargetSite -> Void VerifyCanShow()
f072a8b2aa8c4a0ccc44850759e735f4
{ "intermediate": 0.8668838739395142, "beginner": 0.07359854131937027, "expert": 0.05951758101582527 }
13,430
hi
74a221b1bf2f138d75176bc0b9353969
{ "intermediate": 0.3246487081050873, "beginner": 0.27135494351387024, "expert": 0.40399640798568726 }
13,431
Whitelabel Error Page This application has no explicit mapping for /error, so you are seeing this as a fallback. There was an unexpected error (type=Not Found, status=404). In this html:!DOCTYPE html> <html lang="en" xmlns:th="http://www.w3.org/1999/xhtml"> <head> <meta charset="UTF-8"> <title>Create user</title> </head> <body> <form action="#" th:action="@{/ListCreateUser}" th:object="${user}" method="post"> <label for="firstName">First name</label> <input type="text" th:field="*{firstName}" id="firstName" placeholder="First Name"> <label for="lastName">Last name</label> <input type="text" th:field="*{lastName}" id="lastName" placeholder="Last Name"> <input type="submit" value="Create User"> </form> </body> </html>
1c2347ea20f7362bdd7c55fce78c3263
{ "intermediate": 0.38380977511405945, "beginner": 0.2845138907432556, "expert": 0.33167633414268494 }
13,432
hi there
b3f978306ce42b0bfbb9fac6b728f9de
{ "intermediate": 0.32885003089904785, "beginner": 0.24785484373569489, "expert": 0.42329514026641846 }
13,433
Convert an integer to a two decimal floating number in python 3
1cb4834ea72d792a0206e3832ff41c6a
{ "intermediate": 0.378237247467041, "beginner": 0.24621790647506714, "expert": 0.37554481625556946 }
13,434
No value given for one or more required parameters.
298196ba51f6d7c7c49fb1e1f30b34df
{ "intermediate": 0.3574827313423157, "beginner": 0.31487002968788147, "expert": 0.32764720916748047 }
13,435
<!DOCTYPE html> <html lang="en" xmlns:th="http://www.w3.org/1999/xhtml"> <head> <meta charset="UTF-8"> <title>Users</title> </head> <body> <div th:switch="${users}"> <h2 th:case="null">No users found!</h2> <div th:case="*"> <h2>Users</h2> <table> <thead> <tr> <th>Id</th> <th>First name</th> <th>Last name</th> </tr> </thead> <tbody> <tr th:each="user : ${users}"> <td th:text="${user.id}"></td> <td th:text="${user.firstName}"></td> <td th:text="${user.lastName}"></td> <td><a th:href="@{ListUpdateUser/{id}(id=${user.id})}">Edit</a></td> <td><a th:href="@{user-delete/{id}(id=${user.id})}">Delete</a></td> </tr> </tbody> </table> </div> <p><a href="/ListUserCreate">Create user</a></p> </div> </body> </html> <!DOCTYPE html> <html lang="en" xmlns:th="http://www.w3.org/1999/xhtml"> <meta charset="UTF-8"> <title>Create user</title> <body> <form action="#" th:action="@{/ListUpdateUser}" th:object="${user}" method="post"> <label for="id">ID</label> <input readonly type="number" th:field="*{id}" id="id" placeholder="ID"> <br/> <label for="firstName">First name</label> <input type="text" th:field="*{firstName}" id="firstName" placeholder="First Name"> <br/> <label for="lastName">Last name</label> <input type="text" th:field="*{lastName}" id="lastName" placeholder="Last Name"> <br/> <input type="submit" value="Update User"> </form> </body> </html> <!DOCTYPE html> <html lang="en" xmlns:th="http://www.w3.org/1999/xhtml"> <head> <meta charset="UTF-8"> <title>Create user</title> </head> <body> <form action="#" th:action="@{/ListCreateUser}" th:object="${user}" method="post"> <label for="firstName">First name</label> <input type="text" th:field="*{firstName}" id="firstName" placeholder="First Name"> <label for="lastName">Last name</label> <input type="text" th:field="*{lastName}" id="lastName" placeholder="Last Name"> <input type="submit" value="Create User"> </form> </body> </html> @Controller public class UserController { private final UserService userService; @Autowired public UserController(UserService userService) { this.userService = userService; } @GetMapping("/users") public String findAll(Model model){ List<User> users = userService.findAll(); model.addAttribute("users", users); return "ListUser"; } @GetMapping("/ListCreateUser") public String createUserForm(User user){ return "ListCreateUser"; } @PostMapping("/ListCreateUser") public String createUser(User user){ userService.saveUser(user); return "redirect:/users"; } @GetMapping("user-delete/{id}") public String deleteUser(@PathVariable("id") Long id){ userService.deleteById(id); return "redirect:/users"; } @GetMapping("/ListUpdateUser/{id}") public String updateUserForm(@PathVariable("id") Long id, Model model){ User user = userService.findById(id); model.addAttribute("user", user); return "ListUpdateUser"; } @PostMapping("/ListUpdateUser") public String updateUser(User user){ userService.saveUser(user); return "redirect:/users"; } } Whitelabel Error Page This application has no explicit mapping for /error, so you are seeing this as a fallback. Sat Jun 24 18:46:36 MSK 2023 There was an unexpected error (type=Not Found, status=404).
c2ee6329439d102dd1b40a77b988bb20
{ "intermediate": 0.31341633200645447, "beginner": 0.5746533274650574, "expert": 0.11193031817674637 }
13,436
I have the following code #load the data library(readxl) library(dplyr) #loading the raw data #setwd("C:/Users/defaultuser0.LAPTOP-10STVJBB/Desktop/R") raw_data = read_excel('dataFA.xlsx') #feature engineering. The SS variable are the correlations between the real #averages (faces/numbers/weighted average) and subject's estimation. We defined summary statistics #(SS) performance with correlation (and nor RMSD for example) to avoid constant biases in #subject's estimations(that are observed in RMSD, but avoided in correlations) my_data = raw_data %>% group_by(as.factor(sub_num))%>% summarise(WADD = mean(WADD_Acc),WADD_rule = mean(WADDrule_Acc), SS_faces = cor(real_Average_faces,sub_response_faces), SS_AA = cor(real_Average_AA,sub_response_AA), SS_WA3 = cor(real_Weighted_WA3,sub_response_WA3), SS_WA4 = cor(real_Weighted_WA4,sub_response_WA4))%>% ungroup() my_data = my_data[2:7] #ridge regression to predict job candidate performance from the averaging tasks perfomances #pca library(caret) library(leaps) library(rsample) library(recipes) library(yardstick) library(tidyverse) library(recipes) library(psych) library(parameters) library(performance) # PCA --------------------------------------------------------------------- ## How many components? --------------------- pca_my_data = my_data n <- n_factors(pca_my_data) # This function calls many methods, e.g., nFactors::nScree... Read the doc! as.data.frame(n) # Different methods... ### Scree plot -------------------- # Visually: scree(pca_my_data, factors = FALSE, pc = TRUE) # = 2 # 2/5 seems to be supported by the elbow method, # and 5 by the Kaiser criterion. num_of_factore = mean(n$n_Factors) ### %Variance accounted for -------------------- PCA_params <- principal_components(pca_my_data, n = num_of_factore) PCA_params_summary <- summary(PCA_params) |> # Clean up... column_to_rownames("Parameter") |> datawizard::data_rotate() |> rownames_to_column("Component") |> mutate( Component = factor(Component, levels = Component) ) ggplot(PCA_params_summary, aes(Component, Variance_Cumulative)) + geom_point() + geom_line(aes(group = NA)) + geom_hline(yintercept = 0.90) # Or 16.... ## Extract component scores ---------------------- ### With parameters --------------------- PCA_model <- attr(PCA_params, "model") PCs <- predict(PCA_model, newdata = my_data) # returns all PCs WADD_C = my_data$WADD PCs_df = data.frame(PCs) PCs_df$WADD=WADD_C # 1) Split to train and test. use 0.7 for the train data set.seed(1234) splits_PCA <- initial_split(PCs_df, prop = 0.7) my_data.train_PCA <- training(splits_PCA) my_data.test_PCA <- testing(splits_PCA) rec <- recipe(WADD ~ ., data = my_data.train_PCA) |> step_range(all_numeric_predictors()) tg <- expand.grid(alpha = c(seq(0, 1, length.out = 25)), lambda = exp(seq(-8, -4, length.out = 40))) tc <- trainControl(method = "cv", number = 5) mod.elastic <- train( x = rec, data = my_data.train_PCA, method = "glmnet", tuneGrid = tg, trControl = tc ) plot(mod.elastic, xTrans = log) # The best tuning are: alpha - 1, lamda - 0.0074 mod.elastic$results$RMSE my_data.test$pred.elastic <- predict(mod.elastic, newdata = my_data.test) mod.elastic$results$RMSE my_metrics <- metric_set(rsq, rmse) my_metrics(my_data.test, truth = WADD, estimate = pred.elastic) # rsq = 0.138, RMSE = 0.0417 mod.elastic$pred.elastic <- ifelse(is.nan(mod.elastic$pred.elastic), NA, mod.elastic$pred.elastic) mod.elastic <- na.omit(mod.elastic) lambda =mod.elastic$bestTune$lambda # = 0.0024 alpha =mod.elastic$bestTune$alpha # = 0 coefficients <- coef(mod.elastic$finalModel, s = lambda) coefficients - and I'm not 100% sure what to do next. I geuss I need to normelize my data and then rotated the PCA components, But I have no clue how to do it or what to do next. please generate this code for me.
833df6dc05117983170c3397d71b2492
{ "intermediate": 0.49940377473831177, "beginner": 0.305221825838089, "expert": 0.19537441432476044 }
13,437
const TOKEN = localStorage.getItem("persist:root") && JSON.parse(JSON.parse(localStorage.getItem("persist:root")).user).currentUser .accessToken; Argument of type 'string | null' is not assignable to parameter of type 'string'. Type 'null' is not assignable to type 'string'.ts(2345)
d00c8f74bc48082ef6f8f9bc3983be28
{ "intermediate": 0.3604460060596466, "beginner": 0.3321657180786133, "expert": 0.3073883056640625 }
13,438
Best react jsx sorting criteria
9d07987e35df45dce4036607599e4a3b
{ "intermediate": 0.29073309898376465, "beginner": 0.2736619710922241, "expert": 0.4356049597263336 }
13,439
#include <iostream> #include <string> #include "ncurses.h" // Additional helpers class Point2D { public: Point2D (uint8_t x = 0, uint8_t y = 0) { this -> x = x; this -> y = y; } void SetX (uint8_t x) { this -> x = x; } void SetY (uint8_t y) { this -> y = y; } uint8_t GetX () { return this -> x; } uint8_t GetY () { return this -> y; } private: uint8_t x, y; }; class Entity { public: Entity (wchar_t Symbol = L' ') { SetSymbol (Symbol); setcchar (&this -> Presentation, &this -> Symbol, this -> Attributes, 0, NULL); } void SetName (std::string Name) { this -> Name = Name; } void SetAttributes (attr_t Attributes) { this -> Attributes = Attributes; } void SetSymbol (wchar_t Symbol) { this -> Symbol = Symbol; } std::string GetName () { return Name; } attr_t GetAttributes () { return this -> Attributes; } wchar_t GetSymbol () { return this -> Symbol; } private: wchar_t Symbol; cchar_t Presentation; attr_t Attributes = A_NORMAL; std::string Name = std::string(); // CollisionLayer }; class Tile : public Entity { public: Tile () : Entity() { } Tile (Point2D WorldPosition, std::string Name) : Entity() { } ~Tile () { } void CheckFlags () { } void SetPosition (Point2D WorldPosition) { this->WorldPosition = WorldPosition; } void SetName (std::string Name) { this->Name = Name; } void SetVisible (bool Visible) { this->Visible = Visible; } void SetControlable (bool Control) { this->Control = Control; } Point2D GetPosition () { return this -> WorldPosition; } bool GetVisible () { return this -> Visible; } bool GetControlable () { return this -> Control; } std::string GetName () { return Name; } private: bool Interact, Visible, Control, Solid; std::string Name = std::string(); Point2D WorldPosition; }; class Layer { public: Layer(std::string Name, Point2D Size, Point2D Position) { SetSize(Size); SetPosition(Position); this -> TileLayer = new Tile *[GetSize().GetX()]; for (int i = 0; i < GetSize().GetX(); i++) this -> TileLayer [i] = new Tile [GetSize().GetY()]; } ~Layer() { for (int i = 0; i < GetSize().GetX(); i++) delete [] this -> TileLayer [i]; delete [] this -> TileLayer; } void AddTile (Tile Cell, Point2D Position = NULL) { TileLayer [Position.GetX()][Position.GetY()] = Cell; } void FillMapByTile (Tile Cell) { for (int i = 0; i < GetSize().GetX(); i++) { for (int j = 0; j < GetSize().GetY(); j++) { TileLayer [i][j] = Cell; } } } Tile GetTileByPos (Point2D Position) { return TileLayer[Position.GetX()][Position.GetY()]; } void SetSize (Point2D Size) { this -> Size = Size; } void SetPosition (Point2D Position) { this -> Position = Position; } Point2D GetSize () { return this -> Size; } Point2D GetPosition () { return this -> Position; } private: Tile **TileLayer; std::string Name = std::string(); Point2D Position; Point2D Size; bool CollisionLayer; }; class Player : Tile { public: Player (Point2D WorldPosition, std::string Name, char Character) : Tile (WorldPosition, Name) { SetName(Name); SetPosition(WorldPosition); SetControlable(true); } ~Player () { } private: }; int main() { initscr(); refresh(); getch(); endwin(); return 0; }
955a642d135686e446d67db971bd5d40
{ "intermediate": 0.37298524379730225, "beginner": 0.4425685405731201, "expert": 0.18444621562957764 }
13,440
I have the following code #load the data library(readxl) library(dplyr) #loading the raw data #setwd(“C:/Users/defaultuser0.LAPTOP-10STVJBB/Desktop/R”) raw_data = read_excel(‘dataFA.xlsx’) #feature engineering. The SS variable are the correlations between the real #averages (faces/numbers/weighted average) and subject’s estimation. We defined summary statistics #(SS) performance with correlation (and nor RMSD for example) to avoid constant biases in #subject’s estimations(that are observed in RMSD, but avoided in correlations) my_data = raw_data %>% group_by(as.factor(sub_num))%>% summarise(WADD = mean(WADD_Acc),WADD_rule = mean(WADDrule_Acc), SS_faces = cor(real_Average_faces,sub_response_faces), SS_AA = cor(real_Average_AA,sub_response_AA), SS_WA3 = cor(real_Weighted_WA3,sub_response_WA3), SS_WA4 = cor(real_Weighted_WA4,sub_response_WA4))%>% ungroup() my_data = my_data[2:7] #ridge regression to predict job candidate performance from the averaging tasks perfomances #pca library(caret) library(leaps) library(rsample) library(recipes) library(yardstick) library(tidyverse) library(recipes) library(psych) library(parameters) library(performance) # PCA --------------------------------------------------------------------- ## How many components? --------------------- pca_my_data = my_data n <- n_factors(pca_my_data) as.data.frame(n) coefficients <- coef(mod.elasticfinalModel, s = lambda) coefficients - and I’m not 100% sure what to do next. I geuss I need to normelize my data and then rotated the PCA components, But I have no clue how to do it or what to do next. please generate this code for me.
6c0c1d2563ecce5a4e624127293cc544
{ "intermediate": 0.39091140031814575, "beginner": 0.2664906084537506, "expert": 0.34259799122810364 }
13,441
i write abbok about “Mastering Java: The Comprehensive Guide to Building High-Performance Applications” can you descripe Exception Handling
14d78ba6d14ad0af9bebb225f173bd9d
{ "intermediate": 0.5043500661849976, "beginner": 0.2666669487953186, "expert": 0.22898298501968384 }
13,442
function App() { const admin = useSelector((state) => state.user.currentUser.isAdmin); return ( <Router> <Switch> <Route path="/login"> <Login /> </Route> {admin && ( <> <Topbar /> <div className="container"> <Sidebar /> <Route exact path="/"> <Home /> </Route> <Route path="/users"> <UserList /> </Route> <Route path="/user/:userId"> <User /> </Route> <Route path="/newUser"> <NewUser /> </Route> <Route path="/products"> <ProductList /> </Route> <Route path="/product/:productId"> <Product /> </Route> <Route path="/newproduct"> <NewProduct /> </Route> </div> </> )} </Switch> </Router> ); } make it in v6 react router
502978ebd2b23978bca128bbafca6a88
{ "intermediate": 0.3028997480869293, "beginner": 0.3536044657230377, "expert": 0.34349578619003296 }
13,443
get all reaction on message with specific id discord js
3dad052baea6f8cd3ddfd96ef5bac0d4
{ "intermediate": 0.33936813473701477, "beginner": 0.3022635579109192, "expert": 0.35836830735206604 }
13,444
Привет, в Android Kotlin у меня есть xml файл под названием "background": <?xml version="1.0" encoding="utf-8"?> <shape xmlns:android="http://schemas.android.com/apk/res/android" android:shape="rectangle"> <gradient android:angle="45" android:startColor="@color/purple_500" android:endColor="@color/purple_200" android:type="linear"/> </shape> У меня еще есть два XML файла, где я хочу использовать этот фон, но хочу разные цвета применить, как такое сделать можно ?
f78a17ff82966a6e99a022f662d2063f
{ "intermediate": 0.3661031424999237, "beginner": 0.3030591905117035, "expert": 0.3308376371860504 }
13,445
test
a9578d21ff2dc3fdd5b3904e57d835bc
{ "intermediate": 0.3229040801525116, "beginner": 0.34353747963905334, "expert": 0.33355844020843506 }
13,446
come up with several effective solutions using javascript code that intended for launching from bookmark while target webpage is open, and saving all the cache files, namely those appearing in the network tabs of the browser console, into the standard "download" folder of the macos or setting those files' attributes to "locked"
dc83946776bb9421f27ff63bee1704e2
{ "intermediate": 0.36464035511016846, "beginner": 0.14467033743858337, "expert": 0.49068939685821533 }
13,447
come up several effective step by step solutions to save certain files that appearing in network tab of console in firefox and save those files, that is actually video segments into temp folder. one of these solutions is using automator in macos
d61dc703f2beadc5e764bc545fadd125
{ "intermediate": 0.38599514961242676, "beginner": 0.21258249878883362, "expert": 0.401422381401062 }
13,448
php, if text string long than 40 characters, just get first 40 characters and add "..." at then end, else get all characters. The text string may be Chinese character (double bytes)
b621015f915551256e87bdb8d3afb915
{ "intermediate": 0.4466012120246887, "beginner": 0.2019362896680832, "expert": 0.35146254301071167 }
13,449
python code for graph network of individuals and interactions in agile method
c71755fc84196e499b1428411d8a8522
{ "intermediate": 0.40393969416618347, "beginner": 0.23006469011306763, "expert": 0.3659956157207489 }
13,450
terminal command to set locked attribute to all files in the standard download folder of macos that are added there earlier than 5 minutes ago
826eb2c9a9edfaa59d9da0493f164ca1
{ "intermediate": 0.3682216703891754, "beginner": 0.1899835467338562, "expert": 0.44179481267929077 }
13,451
update state in tab bar view flutter
09d180ee87e116de5a439824c7257e06
{ "intermediate": 0.35320544242858887, "beginner": 0.26310616731643677, "expert": 0.38368844985961914 }
13,452
terminal command to set locked attribute to all files in the standard download folder of macos that are added there earlier than 5 minutes ago There is no direct terminal command to do this. However, you can use a combination of find and xargs commands to achieve this. Assuming the standard download folder is ~/Downloads, and the time limit is 5 minutes: find ~/Downloads -maxdepth 1 -type f -mmin +5 | xargs chmod +w Explanation: - find ~/Downloads: searches for files in the Downloads folder - -maxdepth 1: limits the search to only the top level of the directory (i.e., does not search subdirectories) - -type f: searches only for files (not directories) - -mmin +5: searches for files modified more than 5 minutes ago - | xargs chmod +w: passes the list of files found by find to the chmod command, which adds write permission to each file (making it read-only, or “locked”) Note: This command will prompt you to confirm before making changes to each file. To skip the prompt, add “-f” (force) option to the chmod command: find ~/Downloads -maxdepth 1 -type f -mmin +5 | xargs chmod -f +w . HOWEVER NOTHING HAPPENS
8b3efff4500b19625eea0d35a5b469c9
{ "intermediate": 0.30499961972236633, "beginner": 0.2787581980228424, "expert": 0.41624215245246887 }
13,453
build me the python code for multilateral netting using fully homomorphic encryption
15b71049c646303622d91be40a969e23
{ "intermediate": 0.3541834354400635, "beginner": 0.05816274881362915, "expert": 0.5876538157463074 }
13,454
build me the python code for multilateral algorithm using concrete numpy
cdc4dc5302e759a3ea0ea7254c8d7270
{ "intermediate": 0.36513179540634155, "beginner": 0.04746932163834572, "expert": 0.587398886680603 }
13,455
name me the library for FHE used by Duality Tech
3f5a0da22b151cc85b71f2c9db684754
{ "intermediate": 0.6945756673812866, "beginner": 0.1224304810166359, "expert": 0.18299390375614166 }
13,456
print "|" separated list of files in current dir in terminal
aeb1d6a6041073f28ea6454e84457b72
{ "intermediate": 0.37955525517463684, "beginner": 0.22926408052444458, "expert": 0.39118072390556335 }
13,457
make the same command with not certain files listed in command, but with all files that are larger than 400kb in current folder ffmpeg -i “concat:0.ts|1.ts|2.ts|3.ts|5.ts|6.ts|7.ts|8.ts” -c copy output.mp4
a69248acacd125d98a5e94745b7315f6
{ "intermediate": 0.3548157215118408, "beginner": 0.24351343512535095, "expert": 0.4016708433628082 }
13,458
/Applications/ffmpeg -i "concat:$(find /Downloads/film/ -type f -size +990k -print | tr '\n' '|')" -c copy output.mp4 error: concat:: No such file or directory
7edbe43104067e34a559a420ace7ae6a
{ "intermediate": 0.359719842672348, "beginner": 0.2982270419597626, "expert": 0.3420531153678894 }
13,459
hi, the following ansible task returns an error message, the task is - name: Remove AutoConfigURL registry value win_shell: | $username = "{{ username }}" $pass = ConvertTo-SecureString -asplaintext $Credential = new-object -typename system.Management.Automation.PSCredential -ArgumentList $username,$pass $registry_key = "{{ registry_key }}" $registry_value_name = "{{ registry_value_name }}" $ErrorActionPreference = "Stop" Remove-ItemProperty -Path $registry_key -Name $registry_value_name -Credential $Credential tags: - disable
d21188a2c49e5a472405364b7f7b6bbb
{ "intermediate": 0.2613086402416229, "beginner": 0.4348788857460022, "expert": 0.30381250381469727 }
13,460
write a java source code Project 3 - Movie Manager: - Use basic syntax and data types to create a movie management system that can store and retrieve movie information. - Implement control flow and looping using conditional statements and loops to display the movie information in a user-friendly manner. - Use object-oriented programming concepts to create Movie and MovieManager classes that encapsulate the movie information and management functionality. - Define appropriate methods and variables in the Movie and MovieManager classes to store and retrieve movie details. - Handle exceptions such as invalid inputs using exception handling techniques. - Use input and output methods to display the movie details and prompt the user for input.
da29ac86a96c355299b137b640fef7fd
{ "intermediate": 0.15078097581863403, "beginner": 0.7915332913398743, "expert": 0.0576857253909111 }
13,461
i have a spring boot web app for the authN, I am using CAS sso. i have problem now with https
b69e03d506044539b5840194b0a4c7ec
{ "intermediate": 0.38388389348983765, "beginner": 0.26542437076568604, "expert": 0.35069170594215393 }