row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
21,600
hi
93c3a62a817dea000f82124377c440f8
{ "intermediate": 0.3246487081050873, "beginner": 0.27135494351387024, "expert": 0.40399640798568726 }
21,601
Is quantum entanglement just a special form of interference obtainable mathematically from schrödinger's equation and how is it derived mathematically?
8a5669694459427de62be04d5f0c1a29
{ "intermediate": 0.4122718274593353, "beginner": 0.33430105447769165, "expert": 0.253427118062973 }
21,602
using psexec to run command as admin on remote computer to start another EXE as admin
84114cfb1277ef6d5d3d519ea3e96af3
{ "intermediate": 0.3800816535949707, "beginner": 0.24027569591999054, "expert": 0.3796426057815552 }
21,603
Using powershell, run an exe on a remote computer as admin
6eb4e6e77f8825d32ac5041bf3a21b72
{ "intermediate": 0.3004853129386902, "beginner": 0.36345767974853516, "expert": 0.3360569477081299 }
21,604
montre moi le test de cette fonction "function validFirstLetter() public { require(state == State.wordGenerated, "no word"); bytes memory wordBytes = bytes(currentWord); require(wordBytes.length > 0, "word is empty"); bytes1 firstLetterBytes = wordBytes[0]; firstLetter = string(abi.encodePacked(firstLetterBytes)); state = State.firstLetter; emit FirstLetter(gameId, firstLetter); }" avec cette configuration "context ("FONCTION POUR VALIDER LA 1ERE LETTRE DU MOT A DEVINER", () => { before(async function() { penduelInstance = await Penduel.new(subId); }); describe ("vérifie la fonction validFirstletter", () => { it("devrait valider que le mot n'est pas vide et retourner la première lettre du mot, chnager l'état", async () => {
fa4b21bbd4efec1ec0fee96cf5e85a53
{ "intermediate": 0.39208748936653137, "beginner": 0.44192907214164734, "expert": 0.1659834086894989 }
21,605
Using powershell, start a exe as admin
e94ec39bd18c6d97064cbb43abb7f1e3
{ "intermediate": 0.3630870282649994, "beginner": 0.37124189734458923, "expert": 0.265671044588089 }
21,606
Using powershell start CMD as admin and run a command
b191eaf2511bbf5e2a38081909aee749
{ "intermediate": 0.3349204957485199, "beginner": 0.30643486976623535, "expert": 0.3586446940898895 }
21,607
how can i manage my time?
b59d06ec607d152a43948041f4774d45
{ "intermediate": 0.4459691047668457, "beginner": 0.3164006769657135, "expert": 0.2376302033662796 }
21,609
Element-ui el-table合计属性summary-method的使用
fc6fd7d498d305d6100cf6a1ec83f4e3
{ "intermediate": 0.3272774815559387, "beginner": 0.3186318576335907, "expert": 0.35409069061279297 }
21,610
When running this query in prisma SELECT * FROM metric -- WHERE advertiser_id = '7231589105899962369' -- AND stat_time_day BETWEEN '2023-10-06' AND '2023-10-06T23:59:59.999' WHERE advertiser_id = ${advertiserId} AND stat_time_day BETWEEN ${dateFrom} AND ${dateTo} I get Raw query failed. Code: `42883`. Message: `db error: ERROR: operator does not exist: date >= text
c25359ab38863754a372053789b96a73
{ "intermediate": 0.44813987612724304, "beginner": 0.304352730512619, "expert": 0.24750740826129913 }
21,611
import cv2 import time import numpy as np import matplotlib.pyplot as plt def focus_measure(image): dx = cv2.Sobel(image, cv2.CV_64F, 1, 0, ksize=3) dy = cv2.Sobel(image, cv2.CV_64F, 0, 1, ksize=3) gradient = np.sqrt(dx**2 + dy**2) score = np.sum(gradient) return score N1 = 15 # 要处理的图片张数 A = np.zeros(N1) X = np.zeros(N1) start_time = time.time() for L in range(1, N1+1): I = cv2.imread(str(L) + '.jpg', 0) # 读取灰度图像 I = np.double(I) M, N = I.shape score = focus_measure(I) A[L-1] = score print(A[L - 1]) end_time = time.time() time_elapsed = end_time - start_time print('Time elapsed:', time_elapsed) C = np.max(A) D = np.min(A) E = C - D X = (A - D) / E x1 = np.array([1,7,15,27,34,46,55,64,78,82,94,101,121,134,154]) y1 = np.array([X[0], X[1], X[2], X[3], X[4],X[5], X[6], X[7], X[8], X[9],X[10], X[11], X[12], X[13], X[14]]) p = np.polyfit(x1, y1, 2) Y = np.polyval(p, x1) plt.plot(x1, y1, 'g') plt.title('sobel') plt.show()参照上述代码给出brenner算子的代码
808a376fc7aa8d8ba1782fb6d4fc5ae4
{ "intermediate": 0.39012375473976135, "beginner": 0.3161737322807312, "expert": 0.29370248317718506 }
21,612
import cv2 import time import numpy as np import matplotlib.pyplot as plt N1 = 15 # 要处理的图片张数 A = np.zeros(N1) # 存储每一幅图像清晰度评价值 X = np.zeros(N1) # 存储做归一化处理后的评价值 start_time = time.time() # 计时 for L in range(1, N1+1): I = cv2.imread(str(L) + '.jpg') # 连续读取图片 I = np.double(I) M, N,_ = I.shape FI = 0 for x in range(M-1): for y in range(N-1): # x方向和y方向的相邻像素灰度值只差的平方和作为清晰度值 FI += (I[x+1, y] - I[x, y]) ** 2 + (I[x, y+1] - I[x, y]) ** 2 A[L-1] = np.sum(FI) print(A[L - 1]) end_time = time.time() time_elapsed = end_time - start_time print('Time elapsed:', time_elapsed) # 对图像清晰度值做归一化处理,线性函数归一化公式 C = np.max(A) D = np.min(A) E = C - D X = (A - D) / E print(X) # 做曲线拟合输出函数曲线 x1 = np.array([1,7,15,27,34,46,55,64,78,82,94,101,121,134,154]) y1 = np.array([X[0], X[1], X[2], X[3], X[4],X[5], X[6], X[7], X[8], X[9],X[10], X[11], X[12], X[13], X[14]]) p = np.polyfit(x1, y1, 2) Y = np.polyval(p, x1) plt.plot(x1, y1, 'k') plt.title('eog') plt.show()参考上诉代码,给出brenner算子的聚焦评价曲线
b9ef3d2d0e7406b2170ad910fe86bc13
{ "intermediate": 0.30361300706863403, "beginner": 0.4180070161819458, "expert": 0.27838003635406494 }
21,613
How I could override style of react component from library 'react-styled-toggle'; ?
8f4db4f69b4a81a9835a8e190860479d
{ "intermediate": 0.778333842754364, "beginner": 0.11985655128955841, "expert": 0.10180959850549698 }
21,614
how to get 5th child like :first-child in javascript
404b888a728cecd6882d95419985e2b6
{ "intermediate": 0.30136698484420776, "beginner": 0.3136780858039856, "expert": 0.3849549889564514 }
21,615
main.cpp:26:18: error: no matching function for call to ‘max(__gnu_cxx::__alloc_traits, int>::value_type&, __gnu_cxx::__alloc_traits, int>::value_type&, __gnu_cxx::__alloc_traits, int>::value_type&, __gnu_cxx::__alloc_traits, int>::value_type&)’ 26 | mx = std::max(gens[0], gens[1], gens[2], gens[3]); | ~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ In file included from /usr/include/c++/11/bits/char_traits.h:39, from /usr/include/c++/11/ios:40, from /usr/include/c++/11/ostream:38, from /usr/include/c++/11/iostream:39, from main.cpp:1: /usr/include/c++/11/bits/stl_algobase.h:254:5: note: candidate: ‘template constexpr const _Tp& std::max(const _Tp&, const _Tp&)’ 254 | max(const _Tp& __a, const _Tp& __b) | ^~~
478aef962e072ca35905eb2984b1bbb2
{ "intermediate": 0.28714531660079956, "beginner": 0.5144076347351074, "expert": 0.19844697415828705 }
21,616
creation d'un script audit enable messagerie office 365
f0ef24923ac973ff6faead070e049d88
{ "intermediate": 0.3951376974582672, "beginner": 0.3937194049358368, "expert": 0.2111428827047348 }
21,617
import React from 'react'; import Toggle from 'react-styled-toggle'; const WrappedToggle = () => { return ( <div style={{justify-content: "left"}} > <Toggle labelRight='Dobrowolne składki chorobowe' /> </div> ) } What is wrong with that code? export default WrappedToggle
a1310b7fd7c741065432874663874e10
{ "intermediate": 0.5121036767959595, "beginner": 0.326899915933609, "expert": 0.16099634766578674 }
21,618
I have two matrices, one represents the values and the other one classes. I need to find the minimal value for each class. How to do that in Python?
7896c6754d38efa7992d5634804c07e5
{ "intermediate": 0.37615805864334106, "beginner": 0.201168954372406, "expert": 0.4226730465888977 }
21,619
IF ORDER <- (1,1,2,2,1) and want to generate a new varaible, which stands for the how many times order=1 appear how to do
eb022793462f183b006db7cd599747f3
{ "intermediate": 0.25606533885002136, "beginner": 0.40715041756629944, "expert": 0.33678415417671204 }
21,620
why doesnt this print thread starting, i dont think it gets that far to even start multiple import requests import random import threading url = "https://www.jeffgeerling.com/search?search_api_fulltext=" def main(): while True: r = requests.get(url + str(random.randint(10000000,99999999))) print("doop") if __name__ == "__main__": for i in range(20): t=threading.Thread(target=main()) t.start() print("thread started")
32f100d5918adce2a80df31d4ed78cfe
{ "intermediate": 0.3924567699432373, "beginner": 0.5004655718803406, "expert": 0.10707765072584152 }
21,621
if trtpn's value is not the only one value, then use the max one, how to achieve it in R
5d978679328eb9749cde30c1aaace281
{ "intermediate": 0.26564374566078186, "beginner": 0.17318256199359894, "expert": 0.5611736178398132 }
21,622
gallery that can dynamically rearrange its layout based on the size and shape of each image. You also mentioned that you want to avoid using any third-party libraries or frameworks. One approach you could take is to use CSS Grid to create a flexible and responsive layout for your gallery. You can set up a grid container with display: grid; and define the column template using grid-template-columns: repeat(auto-fill, minmax(55px, 1fr));. This will create a grid that automatically adjusts its columns to fit the available space and ensures that each item has a minimum width of 55 pixels. To center the images both horizontally and vertically, you can add justify-items: center; and align-items: center; to the grid container. You can also add overflow-x: scroll; to enable horizontal scrolling when there are too many images to fit in one row. For the image preview, you can use a separate element with a fixed size and apply object-fit: contain; to ensure that the image scales down proportionally while maintaining its aspect ratio. You can also add some padding and a border to the preview element to give it some breathing room. When it comes to rearranging the images, you can use JavaScript to dynamically update the layout based on the size and shape of each image. One way to achieve this is by creating an array of objects containing information about each image (e.g., its width, height, and aspect ratio) and then iterating through the array to calculate the optimal layout for each image. are you able to compile this code into a fully funtioning html,css,javascript single page example? output your implementation in a single compiled fashion to demonstrate how it works and should perform. no, in a single html-block in this chat, without splitting on language sections. try output your output in a plain-unformatted-text. it looks your responses get dramatically performatted on the way to this chat window interface made in gradio on huggingface.co: what if you represent your code outputs as normal textual message? I just don't understand how you do this from your side. can you output actual code regardless of any specific code conventions, as you simply writing a descriptive text but in reality it's an actual code? "For example, do you require that the HTML/CSS/JavaScript be written separately". no. try to output that previous code in a single fashion but do it as you are trying to write a descriptive message unrelated of any code. understand?:
070f822e69a87332b982e22e2b6de59f
{ "intermediate": 0.523923933506012, "beginner": 0.33807721734046936, "expert": 0.1379988193511963 }
21,623
what does it mean in elastic *~
817932d9f6694953ccf1d2ab33690dbe
{ "intermediate": 0.41687318682670593, "beginner": 0.3063901364803314, "expert": 0.2767367362976074 }
21,624
give a python code for increasing the image brightness and contrast vc2
fb0b4e8850eb70d89f224c834e36a7f4
{ "intermediate": 0.25311875343322754, "beginner": 0.10164155811071396, "expert": 0.6452397108078003 }
21,625
gallery that can dynamically rearrange its layout based on the size and shape of each image. You also mentioned that you want to avoid using any third-party libraries or frameworks. One approach you could take is to use CSS Grid to create a flexible and responsive layout for your gallery. You can set up a grid container with display: grid; and define the column template using grid-template-columns: repeat(auto-fill, minmax(55px, 1fr));. This will create a grid that automatically adjusts its columns to fit the available space and ensures that each item has a minimum width of 55 pixels. To center the images both horizontally and vertically, you can add justify-items: center; and align-items: center; to the grid container. You can also add overflow-x: scroll; to enable horizontal scrolling when there are too many images to fit in one row. For the image preview, you can use a separate element with a fixed size and apply object-fit: contain; to ensure that the image scales down proportionally while maintaining its aspect ratio. You can also add some padding and a border to the preview element to give it some breathing room. When it comes to rearranging the images, you can use JavaScript to dynamically update the layout based on the size and shape of each image. One way to achieve this is by creating an array of objects containing information about each image (e.g., its width, height, and aspect ratio) and then iterating through the array to calculate the optimal layout for each image. are you able to compile this code into a fully funtioning html,css,javascript single page example? output your implementation in a single compiled fashion to demonstrate how it works and should perform. no, in a single html-block in this chat, without splitting on language sections. try output your output in a plain-unformatted-text. it looks your responses get dramatically performatted on the way to this chat window interface made in gradio on huggingface.co: what if you represent your code outputs as normal textual message? I just don't understand how you do this from your side. can you output actual code regardless of any specific code conventions, as you simply writing a descriptive text but in reality it's an actual code? "For example, do you require that the HTML/CSS/JavaScript be written separately". no. try to output that previous code in a single fashion but do it as you are trying to write a descriptive message unrelated of any code. understand?:
b7e69117238389f35a738da66b20f632
{ "intermediate": 0.523923933506012, "beginner": 0.33807721734046936, "expert": 0.1379988193511963 }
21,626
amt <- list() # Initialize amt for (i in 1:group) { amt_tmp <- c() # Initialize amt_tmp for (j in 1:nrow(sub_trt2)) { if (namt[i] == 1) { amt_tmp <- c(rep(sub_trt2$dose[j], sub_trt2$No_TRT[j])) ## no dose changed } else if (namt[i] != 1 && namt[i] > j && namt[i] == 2) { amt_tmp <- c(rep(sub_trt2$dose[j], sub_trt2$No_TRT[j]), rep(sub_trt2$dose[j+1], sub_trt2$No_TRT[j+1])) } else if (namt[i] != 1 && namt[i] > j && namt[i] == 3) { amt_tmp <- c(rep(sub_trt2$dose[j], sub_trt2$No_TRT[j]), rep(sub_trt2$dose[j+1], sub_trt2$No_TRT[j+1]), rep(sub_trt2$dose[j+2], sub_trt2$No_TRT[j+2])) } else if (namt[i] != 1 && namt[i] == j && i >= 2 && namt[i] == 2 && (nrow(sub_trt2) - j + 2 <= nrow(sub_trt2))) { amt_tmp <- c(rep(sub_trt2$dose[nrow(sub_trt2)-j+1], sub_trt2$No_TRT[nrow(sub_trt2)-j+1]), rep(sub_trt2$dose[nrow(sub_trt2)-j+2], sub_trt2$No_TRT[nrow(sub_trt2)-j+2])) } else if (namt[i] != 1 && namt[i] == j && i >= 2 && namt[i] == 3 && (nrow(sub_trt2) - j + 3 <= nrow(sub_trt2))) { amt_tmp <- c(rep(sub_trt2$dose[nrow(sub_trt2)-j+1], sub_trt2$No_TRT[nrow(sub_trt2)-j+1]), rep(sub_trt2$dose[nrow(sub_trt2)-j+2], sub_trt2$No_TRT[nrow(sub_trt2)-j+2]), rep(sub_trt2$dose[nrow(sub_trt2)-j+3], sub_trt2$No_TRT[nrow(sub_trt2)-j+3])) } } amt[[i]] <- amt_tmp } Error in if (namt[i] == 1) { : 需要TRUE/FALSE值的地方不可以用缺少值
bcac50196e6f8ce6a3e5d4a6fb178858
{ "intermediate": 0.32253921031951904, "beginner": 0.3799808919429779, "expert": 0.29747986793518066 }
21,627
namt <- sapply(unique(sub_trt2$ananum), function(x) { if (length(unique(sub_trt2$ananum)) < group) { rep(1:group, length.out = group)[x] } else if (length(unique(sub_trt2$ananum)) == group) { order <- sub_trt2$order[sub_trt2$ananum == x] if (all(order == 1)) { 1 } else { sum(sub_trt2$ananum == x) } } }) namt[[3]] Error in namt[[3]] : 下标出界 how to fix it
c12279715e8fff0c0265768e89234300
{ "intermediate": 0.3288533389568329, "beginner": 0.38055869936943054, "expert": 0.2905879318714142 }
21,628
comment tester simplement l'état "require(state == State.firstLetter, "no first letter");" de cette fonction "function proposeLetter(string memory _letterToGuess, string memory _wordToGuess) public { require(gameId != 0, "Bad ID"); require(state == State.firstLetter, "no first letter"); require(gameTotalBets[gameId].bet > 0, "you didn't bet"); address currentPlayer = getActivePlayer(); require(bytes(_letterToGuess).length == 1, "a single letter"); string memory letterFiltered = filteredLetter(_letterToGuess); checkLetterWin(letterFiltered); state = State.inProgress; proposeWord(_wordToGuess, currentPlayer); }" sans appeler toutes les fonctions précédentes ?
eaf9482c66398b1e22d6741461ea21ea
{ "intermediate": 0.38049861788749695, "beginner": 0.43336400389671326, "expert": 0.18613743782043457 }
21,629
create for me a html website for both charity purpose and book advertising
fca5ca9ef5816b3b20c12c2082037e6a
{ "intermediate": 0.46820399165153503, "beginner": 0.23129987716674805, "expert": 0.3004961609840393 }
21,630
supply function how to use
ab47b86c340448f90898770920543788
{ "intermediate": 0.36686140298843384, "beginner": 0.38944533467292786, "expert": 0.24369320273399353 }
21,631
create for me a complex html website for both charity purpose and book advertising with css and javascript
ba7f0a46945e9158c9a70ef4428ae560
{ "intermediate": 0.5776485204696655, "beginner": 0.19341805577278137, "expert": 0.2289333939552307 }
21,632
rows, cols = size(input_signal) new_rows = rows * rep.repetition_count buffer_matrix = zeros(new_rows, cols) * 1.0 for i in 1:rows for j in 1:rep.repetition_count buffer_matrix[(i-1)*rep.repetition_count+j, :] = input_signal[i, :] end end нужно исправить так, чтобы в случае, если количество стобцов и/или строк в матрице input_signal = 1 не выходила ошибка: BoundsError: attempt to access Tuple{Int64} at index [2]
858f070f4181a58415f99fa8d3bb25cf
{ "intermediate": 0.36022746562957764, "beginner": 0.3266972601413727, "expert": 0.31307530403137207 }
21,633
A binary puzzle is a square (n x n) puzzle with cells that can contain a 0, a 1, or are blank. The objective is to fill in the blanks according to these rules: 1. Each cell must contain a number either 0 or 1. 2. No three consecutive ones or zeros in a row or a column. 3. The number of ones and zeros in each row and each column is the same. 4. No two rows or two columns can be identical. write a python code using backtracking and ac3 to solve this
21050599604460e984aa254244d45cdb
{ "intermediate": 0.38642507791519165, "beginner": 0.35094866156578064, "expert": 0.2626262903213501 }
21,634
rows, cols = size(input_signal) new_rows = rows * rep.repetition_count output_signal = zeros(new_rows, cols) * 1.0 for i in 1:rows for j in 1:rep.repetition_count output_signal[(i-1)*rep.repetition_count+j, :] = input_signal[i, :] end end return output_signal нужно исправить этот код на julia так, чтобы он не выдавал ошибку при input_signal = [1] или [1; 2; 3]
53b3ab89861e4d5960308f573a2f1802
{ "intermediate": 0.36731913685798645, "beginner": 0.38474616408348083, "expert": 0.2479347288608551 }
21,635
with python and textblob write a list of social media posts with diffrent opinions on public/casual nudity and going bottomless and evaluate teh sentiment.
f5b3d912b68b7dc3e9fd8346b2567a19
{ "intermediate": 0.3697096109390259, "beginner": 0.27481189370155334, "expert": 0.35547855496406555 }
21,636
Will the below query execute correctly? await prisma.$queryRaw`WITH filtered_tracks AS ( SELECT * FROM tracks WHERE campaign_id_rt = ANY(ARRAY[${campaignIdRTs}]::VARCHAR[])--ANY(${campaignIdRTs}) ), campaign_domains AS ( SELECT t.campaign_id_rt, d.domain_id, d.domain_name, d.domain_weight FROM filtered_tracks t JOIN campaigns c ON t.campaign_id = c.campaign_id JOIN domains d ON c.id = d.campaign_id ), grouped_domains AS ( SELECT domain_id, domain_name, domain_weight, array_agg(campaign_id_rt) as campaigns FROM campaign_domains GROUP BY domain_id, domain_name, domain_weight ) SELECT domain_id, domain_name as name, domain_weight as weight, 'SEDO' as feedSource, campaigns FROM grouped_domains;`;
1be879f8cf8686d4b2f352218fb1c59f
{ "intermediate": 0.5058298707008362, "beginner": 0.2699313461780548, "expert": 0.2242388278245926 }
21,637
Make a python list about reasons you should go bottomless in the house, and annother list for reasons you should go bottomless outside the house. Then run a functionnfor all the reasons
f1c762d64e5683aea9c64f0e1f0ad186
{ "intermediate": 0.23341453075408936, "beginner": 0.4067290425300598, "expert": 0.35985636711120605 }
21,638
Привет! Можешь реализовать DictVectorizer, как в ScikitLearn, но без его использования. Текстовые переменные должны заменяться на ранг
f2f8ab8734891be1c5e19bf928e67714
{ "intermediate": 0.3019205331802368, "beginner": 0.1763859987258911, "expert": 0.5216934680938721 }
21,639
код на julia, принимающий на вход матрицу с любым количеством строк, но количеством стобцов == 1. повторяющий каждый столбец заданное количество раз. пример: вход: [1; 2], 2 выход; [1; 1; 2; 2]
e0f24ea0a3f09e5fae990e28aba0d671
{ "intermediate": 0.2961427569389343, "beginner": 0.34789609909057617, "expert": 0.3559611439704895 }
21,640
Привет! Можешь реализовать DictVectorizer, как в ScikitLearn, но без его использования На вход подаётся: [ {‘price’: 850000, ‘rooms’: 4, ‘neighborhood’: ‘Queen Anne’}, {‘price’: 700000, ‘rooms’: 3, ‘neighborhood’: ‘Fremont’}, {‘price’: 650000, ‘rooms’: 3, ‘neighborhood’: ‘Wallingford’}, {‘price’: 600000, ‘rooms’: 2, ‘neighborhood’: ‘Fremont’} ] В результате получаем: [[ 0 1 0 850000 4] [ 1 0 0 700000 3] [ 0 0 1 650000 3] [ 1 0 0 600000 2]]
b4966554df6d0068d8ce9f8e72cb5327
{ "intermediate": 0.30660349130630493, "beginner": 0.3061569631099701, "expert": 0.3872395157814026 }
21,641
function vector_to_matrix(v::Vector, m::Int, n::Int) if length(v) != m * n error("Невозможно преобразовать вектор в матрицу размера m*n") else return reshape(v, m, n) end end # Пример использования v = [1, 2, 3, 4, 5, 6] m = vector_to_matrix(v, 6, 1) println(m) как исправить так, чтобы на выходе было [1; 2; 3; 4; 5; 6], вместо [1; 2; 3; 4; 5; 6;;]
4b292b94c69dab3add90805e83b11896
{ "intermediate": 0.24765491485595703, "beginner": 0.5938515663146973, "expert": 0.15849347412586212 }
21,642
You are working on a C# application that requires handling and processing complex data structures. Which C# feature allows you to define a custom data type that can contain data members and methods? A) // csharp public class Product { public string Name { get; set; } public decimal Price { get; set; } public string Category { get; set; } } B) // csharp public class Product { public string Name; public decimal Price; public string Category; } C) // csharp public class Product { private string Name; private decimal Price; private string Category; } D) // csharp public class Product { private string Name { get; set; } private decimal Price { get; set; } private string Category { get; set; } }
f06b5c4b59c5966e3f73a40293b590d0
{ "intermediate": 0.602313756942749, "beginner": 0.2548663914203644, "expert": 0.1428198218345642 }
21,643
neighbor_positions = {1:{10,11}, 2:{12,13}} how to delete 10 and 13
bbe37aad1d809a7fe65de1f85bd85a68
{ "intermediate": 0.2933732271194458, "beginner": 0.20513024926185608, "expert": 0.5014965534210205 }
21,644
refactor this code wrote with java 8: @Override @GET @RESTDescription("Импорт из Jaeger") @Path("jaegerImport") public Response getInfoFromJaeger(@Context HttpServletRequest req, @Context HttpServletResponse response, @QueryParam("name") String datasetName, @QueryParam("endTime") Long endTime, @QueryParam("lookback") String lookback, @QueryParam("maxDuration") String maxDuration, @QueryParam("minDuration") String minDuration, @QueryParam("startTime") Long startTime, @QueryParam("operation") String operation) { String sessionId; Cookie cookie = null; String responseMessage = null; try { if (restResourcesUtil.getSessionIdFromCookie(req) == null) { cookie = promCookie.create(); sessionId = cookie.getValue(); } else { sessionId = restResourcesUtil.getSessionIdFromCookie(req); } runDataProcessingPipeline( jaegerConverter.jaegerTraceFormatter( endTime.toString(), lookback, maxDuration, minDuration, startTime.toString(), operation), sessionId); String datasetId = singleThreadFabricator.createDataset(sessionId, datasetName); multiThreadFabricator.allDataClearPipeline(sessionId); updateCookieLifeTime(req); doFilter(response); if (cookie != null) { response.addCookie(cookie); } if (datasetId != null) { responseMessage = singleThreadFabricator.restResponsePipeline(true, datasetName + " created"); } } catch (Exception e) { responseMessage = singleThreadFabricator.restResponsePipeline(false, F.ormat(Messages.getString("ru.fisgroup.platform.processmining.model.JaegerImport.0"), e)); } return Response .ok() .type(MediaType.TEXT_HTML) .entity(responseMessage) .build(); } @Override @POST @RESTDescription("Импорт XES для Process Mining") @Path("importXESForMining") public Response importXESForMining (@Context HttpServletRequest req, @Context HttpServletResponse response, @QueryParam("name") String datasetName) { File uploadedFile = RestResourcesUtil.uploadFile(req, datasetManager.getPathFolder(false)); if (uploadedFile == null) { return errResponse(F.ormat(Messages.getString("Не удалось загрузить файл"))); //$NON-NLS-1$ } String filePath = uploadedFile.getAbsolutePath(); if (!uploadedFile.exists()) { return errResponse(F.ormat(Messages.getString("Файл не найден"), filePath)); //$NON-NLS-1$ } String sessionId; Cookie cookie = null; String responseMessage = null; try { if (restResourcesUtil.getSessionIdFromCookie(req) == null) { cookie = promCookie.create(); sessionId = cookie.getValue(); } else { sessionId = restResourcesUtil.getSessionIdFromCookie(req); } runDataProcessingPipeline( singleThreadFabricator.XEStoTB(filePath), sessionId); String datasetId = singleThreadFabricator.createDataset(sessionId, datasetName); multiThreadFabricator.allDataClearPipeline(sessionId); uploadedFile.delete(); updateCookieLifeTime(req); doFilter(response); if (cookie != null) { response.addCookie(cookie); } if (datasetId != null) { responseMessage = singleThreadFabricator.restResponsePipeline(true, datasetName + " created"); } } catch (Exception e) { responseMessage = singleThreadFabricator.restResponsePipeline(false, F.ormat(Messages.getString("ru.fisgroup.platform.processmining.model.XESImport.0"), e)); } return Response .ok() .type(MediaType.TEXT_HTML) .entity(responseMessage) .build(); }
173292dbc307aac14ed5e3b8dcc8004e
{ "intermediate": 0.3424035310745239, "beginner": 0.45406052470207214, "expert": 0.20353597402572632 }
21,645
An employee is paid at a rate of $16.78 per hour for the first 40 hours worked in a week. Any hours over that are paid at the overtime rate of one-and-one-half times that. From the worker’s gross pay, 6% is withheld for Social Security tax, 14% is withheld for federal income tax, 5% is withheld for state income tax, and $10 per week is withheld for union dues. If the worker has three or more dependents, then an additional $35 is withheld to cover the extra cost of health insurance beyond what the employer pays. Write a program that will read in the number of hours worked in a week and the number of dependents as input and will then output the worker’s gross pay, each withholding amount, and the net take-home pay for the week.
4416e871a86eebf29139ed5a5b479f07
{ "intermediate": 0.2650209963321686, "beginner": 0.19831906259059906, "expert": 0.5366599559783936 }
21,646
An employee is paid at a rate of $16.78 per hour for the first 40 hours worked in a week. Any hours over that are paid at the overtime rate of one-and-one-half times that. From the worker’s gross pay, 6% is withheld for Social Security tax, 14% is withheld for federal income tax, 5% is withheld for state income tax, and $10 per week is withheld for union dues. If the worker has three or more dependents, then an additional $35 is withheld to cover the extra cost of health insurance beyond what the employer pays. Write a program that will read in the number of hours worked in a week and the number of dependents as input and will then output the worker’s gross pay, each withholding amount, and the net take-home pay for the week.
7b78a73a19f1f53f7159fcf1de2a7378
{ "intermediate": 0.2650209963321686, "beginner": 0.19831906259059906, "expert": 0.5366599559783936 }
21,647
Okay thank you please from the previous programming problem you solved please redo it and round the answers in dollars and cents
2848cb483c2313e95938136ff8d2f137
{ "intermediate": 0.34183529019355774, "beginner": 0.3607542812824249, "expert": 0.29741039872169495 }
21,648
cents: # Input hours worked and number of dependents hours_worked = float(input("Enter the number of hours worked in a week: ")) num_dependents = int(input(“Enter the number of dependents: “)) # Constants for pay rates and deductions hourly_rate = 16.78 overtime_rate = hourly_rate * 1.5 social_security_tax_rate = 0.06 federal_income_tax_rate = 0.14 state_income_tax_rate = 0.05 union_dues = 10 health_insurance_cost = 35 if num_dependents >= 3 else 0 # Calculate gross pay if hours_worked > 40: regular_hours = 40 overtime_hours = hours_worked - 40 else: regular_hours = hours_worked overtime_hours = 0 gross_pay = (regular_hours * hourly_rate) + (overtime_hours * overtime_rate) # Calculate withholdings social_security_tax = gross_pay * social_security_tax_rate federal_income_tax = gross_pay * federal_income_tax_rate state_income_tax = gross_pay * state_income_tax_rate total_withholdings = social_security_tax + federal_income_tax + state_income_tax + union_dues + health_insurance_cost # Calculate net pay net_pay = gross_pay - total_withholdings # Round answers to dollars and cents gross_pay = round(gross_pay, 2) social_security_tax = round(social_security_tax, 2) federal_income_tax = round(federal_income_tax, 2) state_income_tax = round(state_income_tax, 2) total_withholdings = round(total_withholdings, 2) net_pay = round(net_pay, 2) # Output results print(“Gross pay: $”, format(gross_pay, “.2f”), sep=””) print("Social Security tax: From this above program , Modify the payroll program that you created in the above assignment so that it allows the calculation to be repeated as often as the user wishes. Submit your code and screenshot of output.
b66235e0b5668ed3ae09f1cefca5963c
{ "intermediate": 0.44667306542396545, "beginner": 0.24793827533721924, "expert": 0.3053886592388153 }
21,649
does this code correctly describe working hours and lunch break? const hour = 10; if (hour > 9 || hour < 18) { console.log("Это рабочий час"); } if (hour > 13 || hour < 14 ) { console.log("Это обеденный перерыв"); } if (hour < 9 || hour > 18) { console.log("Это нерабочее время"); }
c25177016a173a1546195e4711e0536e
{ "intermediate": 0.29508107900619507, "beginner": 0.5268738865852356, "expert": 0.17804497480392456 }
21,650
i have a 300 dimension torch array how do i do clustering on it in python?
271820132ff18b6bb9a3c25841be314a
{ "intermediate": 0.4728356897830963, "beginner": 0.07080847769975662, "expert": 0.45635586977005005 }
21,651
функция на julia, преобразующая вектор в матрицу
458a76929607f4c3d774e59332cfe6fb
{ "intermediate": 0.27785173058509827, "beginner": 0.25406521558761597, "expert": 0.468082994222641 }
21,652
Implement the depth-first search (DFS) algorithm in the depthFirstSearch function in search.py. To make your algorithm complete, write the graph search version of DFS, which avoids expanding any already visited states.
d8a067bed52f8267e64e0ba6122eda00
{ "intermediate": 0.11322169750928879, "beginner": 0.08310805261135101, "expert": 0.8036702871322632 }
21,653
here is the function declaration: def cornersHeuristic(state: Any, problem: CornersProblem): """ A heuristic for the CornersProblem that you defined. state: The current search state (a data structure you chose in your search problem) problem: The CornersProblem instance for this layout. This function should always return a number that is a lower bound on the shortest path from the state to a goal of the problem; i.e. it should be admissible (as well as consistent). """ here is the description: Admissibility vs. Consistency: Remember, heuristics are just functions that take search states and return numbers that estimate the cost to a nearest goal. More effective heuristics will return values closer to the actual goal costs. To be admissible, the heuristic values must be lower bounds on the actual shortest path cost to the nearest goal (and non-negative). To be consistent, it must additionally hold that if an action has cost c, then taking that action can only cause a drop in heuristic of at most c. Remember that admissibility isn’t enough to guarantee correctness in graph search – you need the stronger condition of consistency. However, admissible heuristics are usually also consistent, especially if they are derived from problem relaxations. Therefore it is usually easiest to start out by brainstorming admissible heuristics. Once you have an admissible heuristic that works well, you can check whether it is indeed consistent, too. The only way to guarantee consistency is with a proof. However, inconsistency can often be detected by verifying that for each node you expand, its successor nodes are equal or higher in in f-value. Moreover, if UCS and A* ever return paths of different lengths, your heuristic is inconsistent. This stuff is tricky! Non-Trivial Heuristics: The trivial heuristics are the ones that return zero everywhere (UCS) and the heuristic which computes the true completion cost. The former won’t save you any time, while the latter will timeout the autograder. You want a heuristic which reduces total compute time, though for this assignment the autograder will only check node counts (aside from enforcing a reasonable time limit). Grading: Your heuristic must be a non-trivial non-negative consistent heuristic to receive any points. Make sure that your heuristic returns 0 at every goal state and never returns a negative value. Depending on how few nodes your heuristic expands, you’ll be graded full score for this question is your number of nodes expanded is at most 1200. Remember: If your heuristic is inconsistent, you will receive no credit, so be careful! please implement the given function
b83d6628c341ed68b0c5cbedc09b04ef
{ "intermediate": 0.37434127926826477, "beginner": 0.281779408454895, "expert": 0.34387925267219543 }
21,654
Create a program that takes as input one argument and print out whether that value is positive, negative, or zero
8058eb362a70551b590efbfbf63e453c
{ "intermediate": 0.340585321187973, "beginner": 0.2025761604309082, "expert": 0.4568385183811188 }
21,655
make the button horizontal <div class="float-right w-custom-20% pt-custom-10px pl-custom-96-53px"> <button (click)="toggleServer()" class="bg-custom-orange border-custom-orange outline-custom-orange text-transform:capitalize text-custom-white w-custom-250 h-custom-40 text-base text-center mr-1 mb-1 rounded" type="button" aria-hidden="true" > <i class="material-icons align-top">storage</i> Change Server </button> <button (click)="openModal(1)" class="bg-custom-orange border-custom-orange outline-custom-orange text-transform:capitalize text-custom-white w-custom-250 h-custom-40 text-base text-center mr-1 mb-1 rounded" type="button" aria-hidden="true" > <i class="material-icons align-top">add</i>Add </button> <button *ngIf="someSelected || selectAll" (click)="deleteSelectedItems(4)" type="button" class="bg-custom-red-del text-base text-custom-white border-none w-custom-250 h-custom-40 hover:bg-custom-red-del focus:bg-custom-red-del mr-1 mb-1 rounded" > <i class="material-icons align-top">delete_forever</i> Delete Selected </button> <button *ngIf="someSelected || selectAll" (click)="bulkEdit(5)" class="bg-custom-orange border-custom-orange outline-custom-orange text-transform:capitalize text-custom-white w-custom-250 h-custom-40 text-base text-center mr-1 mb-1 rounded" type="button" aria-hidden="true" > <i class="material-icons align-top">add</i>Bulk Edit </button> </div>
353b7207a5fa17c15329b00962672b59
{ "intermediate": 0.3015071749687195, "beginner": 0.33554109930992126, "expert": 0.3629516661167145 }
21,656
Create a program that takes in an integer n and outputs the nth Fibonacci number using a recursive function. The output will have the following format. std::cout << "The " << n << "th Fibonacci number is: " << fib_num << std::endl;
1f06e161929cdc5ffe728f68971b37f8
{ "intermediate": 0.2204192727804184, "beginner": 0.5045364499092102, "expert": 0.275044322013855 }
21,657
mutable struct Repeat repetition_count::Int input_processing::String rate_options::String initial_conditions::Union{Real,Array{<:Real}} counter::Int interpret_vector_parameters::Bool function Repeat(repetition_count::Int, input_processing::String, rate_options::String, initial_conditions::Union{Real,Array{<:Real}}, interpret_vector_parameters::Bool) new(repetition_count, input_processing, rate_options, initial_conditions, interpret_vector_parameters, 0) end end function interpret(rep::Repeat, input_signal) if rep.interpret_vector_parameters == true return reshape(input_signal, 1, length(input_signal)) else return input_signal end end obj = Repeat(2, "Columns as channels", "Enforce single-rate processing", 0, true) output = step(obj, [1, 2, 3]) почему дебаггер в любом случае показывает, что interpret_vector_parameters == false?
20358a64beb1268e130666642249d0b7
{ "intermediate": 0.308082640171051, "beginner": 0.479855477809906, "expert": 0.2120618224143982 }
21,658
if ndims(input_signal) == 0 #скаляр output_signal = fill(input_signal, rep.repetition_count) elseif ndims(input_signal) == 1 #вектор output_signal = [] for element in input_signal output_signal = vcat(output_signal, fill(element, rep.repetition_count)) return output_signal else #матрица rows, cols = size(input_signal) new_rows = rows * rep.repetition_count output_signal = zeros(new_rows, cols) * 1.0 for i in 1:rows for j in 1:rep.repetition_count output_signal[(i-1)*rep.repetition_count+j, :] = input_signal[i, :] end end return output_signal end где то пропущен end
c5bafcf0de6f96d3cd0177a81f42c379
{ "intermediate": 0.34190279245376587, "beginner": 0.44678542017936707, "expert": 0.21131177246570587 }
21,659
i want my input to be bigger to let the use see all he types <td class="w-custom-10% rounded-none text-center"> <ng-container *ngIf="country.selected"> <input [ngStyle]="{ opacity: country.code.trim() === '' || country.name.trim() === '' ? '0.5' : '1' }" [disabled]="country.code.trim() === '' || country.name.trim() === ''" type="text" [(ngModel)]="country.description" maxlength="180" required /> </ng-container> <ng-container *ngIf="!country.selected"> {{ country.description }} </ng-container> </td>
0756842aff87286077436a22f9aa3127
{ "intermediate": 0.31748101115226746, "beginner": 0.401231974363327, "expert": 0.2812870740890503 }
21,660
this only works if check 1 data only but when i check other checkbox and uncheck it gets the 1st data only anySelected(country: any): boolean { if (!country.selected) { country.code = this.originalValues.code; country.name = this.originalValues.name; country.description = this.originalValues.description; country.population = this.originalValues.population; country.area = this.originalValues.area; } else { this.originalValues = { code: country.code, name: country.name, description: country.description, population: country.population, area: country.area }; } this.allSelected = this.selectAllPerPage.every((country:any) => country.selected); this.someSelected = this.countries.some((country) => country.selected); this.selectAll = this.allSelected ? true : (this.someSelected ? null : false); return this.someSelected; }
53f37f1d3c97a3458b81aaddb0297092
{ "intermediate": 0.3696708679199219, "beginner": 0.3222770094871521, "expert": 0.30805206298828125 }
21,661
function interpret(rep::Repeat, input_signal) if rep.interpret_vector_parameters == true if isa(input_signal, AbstractMatrix) return input_signal elseif isa(input_signal, Number) return[input_signal] else return reshape(input_signal, 1, length(input_signal)) end end где то не хватает end
95cbc3204104d035d1b7d341f4ace766
{ "intermediate": 0.24156954884529114, "beginner": 0.5473219752311707, "expert": 0.21110844612121582 }
21,662
looks like problem with division is not solved because returned an error from backend as “{ “error”: “height and width have to be divisible by 8 but are 548 and 1808.” }”. can you fix that division problem for width and height in code that will sort-out a normal legit divisible by 8 values but pertain the same functionality as before?: const inputTextArea = document.getElementById('inputTextArea').value; const inputTextArea2 = document.getElementById('inputTextArea2').value; const xxxInput = document.getElementById('xxx'); const yyyInput = document.getElementById('yyy'); const CFGInput = document.getElementById('CFG'); let CFG; if (!isNaN(parseFloat(CFGInput.value))) { CFG = parseFloat(CFGInput.value).toFixed(3); CFG = parseFloat(CFG); } const targetWidth = 2048; const targetHeight = 480; const minDimension = 16; const maxDimension = 2048; const multipleOf = 8; let width = parseFloat(xxxInput.value); let height = parseFloat(yyyInput.value); function recalculateDimensions() { // Calculate the total pixels based on width and height const totalPixels = width * height; // Adjust width and height to meet the total pixels dimension if (totalPixels > targetWidth * targetHeight) { const scaleFactor = Math.sqrt((targetWidth * targetHeight) / totalPixels); width = Math.floor(width * scaleFactor); height = Math.floor(height * scaleFactor); } // Ensure the adjusted width and height are within the allowed range width = Math.max(minDimension, Math.min(maxDimension, width)); height = Math.max(minDimension, Math.min(maxDimension, height)); // Adjust the width and height to be multiples of the specified value width = Math.ceil(width / multipleOf) * multipleOf; height = Math.ceil(height / multipleOf) * multipleOf; // Update the input values xxxInput.value = width; yyyInput.value = height; } // Update the width and height values when the inputs change xxxInput.addEventListener('change', function() { width = parseFloat(xxxInput.value); recalculateDimensions(); }); yyyInput.addEventListener('change', function() { height = parseFloat(yyyInput.value); recalculateDimensions(); }); const requestBody = { stride: '1', nerdcodes: genRanNum(), inputs: inputTextArea, parameters: { guidance_scale: CFG, negative_prompt: inputTextArea2, width: width, height: height } }; const requestPayload = JSON.stringify(Object.assign({}, requestBody));
d878df0088936d4bc3faa86b40d24b91
{ "intermediate": 0.4849652647972107, "beginner": 0.2203352451324463, "expert": 0.294699490070343 }
21,663
which step should be set in that case for actual input fields with numerical value?: const inputTextArea = document.getElementById('inputTextArea').value; const inputTextArea2 = document.getElementById('inputTextArea2').value; const xxxInput = document.getElementById('xxx'); const yyyInput = document.getElementById('yyy'); const CFGInput = document.getElementById('CFG'); let CFG; if (!isNaN(parseFloat(CFGInput.value))) { CFG = parseFloat(CFGInput.value).toFixed(3); CFG = parseFloat(CFG); } const targetWidth = 2048; const targetHeight = 480; const minDimension = 16; const maxDimension = 2048; const multipleOf = 8; let width = parseFloat(xxxInput.value); let height = parseFloat(yyyInput.value); function recalculateDimensions() { // Parse the input values and check for validity const newWidth = parseFloat(xxxInput.value); const newHeight = parseFloat(yyyInput.value); if (isNaN(newWidth) || isNaN(newHeight)) { // Display an error message or handle the error case accordingly console.error('Invalid input. Please enter valid numerical values.'); return; } // Update width and height only if the new values are valid width = newWidth; height = newHeight; // Calculate the total pixels based on width and height const totalPixels = width * height; // Adjust width and height to meet the total pixels dimension if (totalPixels > targetWidth * targetHeight) { const scaleFactor = Math.sqrt((targetWidth * targetHeight) / totalPixels); width = Math.floor(width * scaleFactor); height = Math.floor(height * scaleFactor); } // Ensure the adjusted width and height are within the allowed range width = Math.max(minDimension, Math.min(maxDimension, width)); height = Math.max(minDimension, Math.min(maxDimension, height)); // Calculate the nearest divisible by 8 width and height values const roundedWidth = Math.round(width / multipleOf) * multipleOf; const roundedHeight = Math.round(height / multipleOf) * multipleOf; // Update the input values with the rounded values xxxInput.value = roundedWidth; yyyInput.value = roundedHeight; } // Update the width and height values when the inputs change xxxInput.addEventListener('change', function() { width = parseFloat(xxxInput.value); recalculateDimensions(); }); yyyInput.addEventListener('change', function() { height = parseFloat(yyyInput.value); recalculateDimensions(); }); const requestBody = { stride: '1', nerdcodes: genRanNum(), inputs: inputTextArea, parameters: { guidance_scale: CFG, negative_prompt: inputTextArea2, width: width, height: height } }; const requestPayload = JSON.stringify(Object.assign({}, requestBody));
5fd9ab2d9bb8321dc8a5683eaaa9e297
{ "intermediate": 0.3885640501976013, "beginner": 0.3657422959804535, "expert": 0.24569366872310638 }
21,664
I don't understand what the following is saying; make it easier to understand.: 4.2. Mapping to tables The following annotations specify exactly how elements of the domain model map to tables of the relational model: Table 21. Annotations for mapping tables Annotation Purpose @Table Map an entity class to its primary table @SecondaryTable Define a secondary table for an entity class @JoinTable Map a many-to-many or many-to-one association to its association table @CollectionTable Map an @ElementCollection to its table The first two annotations are used to map an entity to its primary table and, optionally, one or more secondary tables.
fe36b6b521b9773d3ecfc040341b84a4
{ "intermediate": 0.34240493178367615, "beginner": 0.3575317859649658, "expert": 0.30006325244903564 }
21,665
which step should be set in that case for actual input fields with numerical value?: const inputTextArea = document.getElementById('inputTextArea').value; const inputTextArea2 = document.getElementById('inputTextArea2').value; const xxxInput = document.getElementById('xxx'); const yyyInput = document.getElementById('yyy'); const CFGInput = document.getElementById('CFG'); let CFG; if (!isNaN(parseFloat(CFGInput.value))) { CFG = parseFloat(CFGInput.value).toFixed(3); CFG = parseFloat(CFG); } const targetWidth = 2048; const targetHeight = 480; const minDimension = 16; const maxDimension = 2048; const multipleOf = 8; let width = parseFloat(xxxInput.value); let height = parseFloat(yyyInput.value); function recalculateDimensions() { // Parse the input values and check for validity const newWidth = parseFloat(xxxInput.value); const newHeight = parseFloat(yyyInput.value); if (isNaN(newWidth) || isNaN(newHeight)) { // Display an error message or handle the error case accordingly console.error('Invalid input. Please enter valid numerical values.'); return; } // Update width and height only if the new values are valid width = newWidth; height = newHeight; // Calculate the total pixels based on width and height const totalPixels = width * height; // Adjust width and height to meet the total pixels dimension if (totalPixels > targetWidth * targetHeight) { const scaleFactor = Math.sqrt((targetWidth * targetHeight) / totalPixels); width = Math.floor(width * scaleFactor); height = Math.floor(height * scaleFactor); } // Ensure the adjusted width and height are within the allowed range width = Math.max(minDimension, Math.min(maxDimension, width)); height = Math.max(minDimension, Math.min(maxDimension, height)); // Calculate the nearest divisible by 8 width and height values const roundedWidth = Math.round(width / multipleOf) * multipleOf; const roundedHeight = Math.round(height / multipleOf) * multipleOf; // Update the input values with the rounded values xxxInput.value = roundedWidth; yyyInput.value = roundedHeight; } // Update the width and height values when the inputs change xxxInput.addEventListener('change', function() { width = parseFloat(xxxInput.value); recalculateDimensions(); }); yyyInput.addEventListener('change', function() { height = parseFloat(yyyInput.value); recalculateDimensions(); }); const requestBody = { stride: '1', nerdcodes: genRanNum(), inputs: inputTextArea, parameters: { guidance_scale: CFG, negative_prompt: inputTextArea2, width: width, height: height } }; const requestPayload = JSON.stringify(Object.assign({}, requestBody));
509a6d89a40b24b73b296c9239cd392c
{ "intermediate": 0.3885640501976013, "beginner": 0.3657422959804535, "expert": 0.24569366872310638 }
21,666
function interpret(rep::Repeat, input_signal) if rep.interpret_vector_parameters == false if isa(input_signal, AbstractMatrix) return input_signal elseif isa(input_signal, Number) return [input_signal] else return reshape(input_signal, 1, length(input_signal)) end else return input_signal end end нужно исправить эту функцию так, чтобы при rep.interpret_vector_parameters == false, входящие данные всегда преобразовывались в матрицу, в другом случае - в вектор, кроме тех случаев, если на вход подаается матрица количество столбцов или строк в которой больше 1
7bec77a35d3d1d59cd1c7fbd4a71d9b4
{ "intermediate": 0.22082163393497467, "beginner": 0.6479777693748474, "expert": 0.1312006115913391 }
21,667
Can a bridge make its underlying interfaces in the same broadcast domain?
33798edb6dd9be793cb89da83b153f7b
{ "intermediate": 0.4101406931877136, "beginner": 0.2086782604455948, "expert": 0.3811810612678528 }
21,668
this only works if check 1 data only but when i check other checkbox and uncheck it gets the 1st data only anySelected(country: any): boolean { if (!country.selected) { country.code = this.originalValues.code; country.name = this.originalValues.name; country.description = this.originalValues.description; country.population = this.originalValues.population; country.area = this.originalValues.area; } else { this.originalValues = { code: country.code, name: country.name, description: country.description, population: country.population, area: country.area }; } this.allSelected = this.selectAllPerPage.every((country:any) => country.selected); this.someSelected = this.countries.some((country) => country.selected); this.selectAll = this.allSelected ? true : (this.someSelected ? null : false); return this.someSelected; }
c4bea376de4368265a30e27caceacdb5
{ "intermediate": 0.3696708679199219, "beginner": 0.3222770094871521, "expert": 0.30805206298828125 }
21,669
i want to have a first and last button in my pagination <nav aria-label="Page navigation example"> <ul class="flex justify-center items-center -space-x-px h-10 text-base"> <li> <a href="#" (click)="goToPreviousPage()" class="flex items-center justify-center px-4 h-10 ml-0 leading-tight text-gray-500 bg-white border border-gray-300 rounded-l-lg hover:bg-gray-100 hover:text-gray-700 dark:bg-gray-800 dark:border-gray-700 dark:text-gray-400 dark:hover:bg-gray-700 dark:hover:text-white" > <span class="sr-only">Previous</span> <svg class="w-3 h-3" aria-hidden="true" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 6 10" > <path stroke="currentColor" stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M5 1 1 5l4 4" /> </svg> </a> </li> <li *ngFor="let page of pages"> <a (click)="goToPage(page)" [ngClass] = "currentPage === page ? 'z-10 flex items-center justify-center px-4 h-10 leading-tight text-blue-600 border border-blue-300 bg-blue-50 hover:bg-blue-100 hover:text-blue-700 dark:border-gray-700 dark:bg-gray-700 dark:text-white' : 'flex items-center justify-center px-4 h-10 leading-tight text-gray-500 bg-white border border-gray-300 hover:bg-gray-100 hover:text-gray-700 dark:bg-gray-800 dark:border-gray-700 dark:text-gray-400 dark:hover:bg-gray-700 dark:hover:text-white'" class= > {{ page }} </a> </li> <li> <a href="#" (click)="goToNextPage()" class="flex items-center justify-center px-4 h-10 leading-tight text-gray-500 bg-white border border-gray-300 rounded-r-lg hover:bg-gray-100 hover:text-gray-700 dark:bg-gray-800 dark:border-gray-700 dark:text-gray-400 dark:hover:bg-gray-700 dark:hover:text-white" > <span class="sr-only">Next</span> <svg class="w-3 h-3" aria-hidden="true" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 6 10" > <path stroke="currentColor" stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="m1 9 4-4-4-4" /> </svg> </a> </li> </ul> </nav>
2c02f8b5eac8ce469c474ba221581b5c
{ "intermediate": 0.3368515968322754, "beginner": 0.5313256978988647, "expert": 0.13182272017002106 }
21,670
put code in my goToFirstPage() and goToLastPage() getCountriesForCurrentPage() { const startIndex = (this.currentPage - 1) * 10; const endIndex = startIndex + 10; this.selectAllPerPage = this.filteredCountries.slice(startIndex, endIndex); return this.filteredCountries.slice(startIndex, endIndex); } goToPreviousPage() { if (this.currentPage > 1) { this.currentPage--; this.adjustPageNumbers(); this.pageChecker(); } } goToNextPage() { if (this.currentPage < this.totalPages) { this.currentPage++; this.adjustPageNumbers(); this.pageChecker(); } } goToPage(pageNumber: number) { if (pageNumber >= 1 && pageNumber <= this.totalPages) { this.currentPage = pageNumber; this.pageChecker(); } } goToFirstPage(){ } goToLastPage(){ }
e1b4746cdf37eabb75e9e1ca4286cd0e
{ "intermediate": 0.35695022344589233, "beginner": 0.4093209207057953, "expert": 0.23372884094715118 }
21,671
design a Workplace Emotional Wellbeing landing page for pwa apps
c769305d7bd37f73b954fd5a83a1dbfb
{ "intermediate": 0.3093718886375427, "beginner": 0.2696932256221771, "expert": 0.42093488574028015 }
21,672
APCS Unit 2 Classes, Instances, Objects Specification Create a new class in your Unit 2 project called ClassesInstancesObects. Write each of the methods listed below. You may only use what we've directly covered in class. (no boolean expressions, loops, or conditionals) The solutions all require study of the documentation for Integer, Double, and String. You can also use the Math class. public static String binMaxInt() // return the binary representation of the maximum int value public static String binDiffMax(Integer i) // return the binary representation of the difference between i and the // maximum integer value public static String mutant(String a, String b) // return a string containing the front half of a and the back half of b // "muffin" "cupcake" -> "mufcake" // "lobster" "fish" -> "lobsh" public static String triMutant(String a, String b, String c) // return a string containing the first third of a, the middle third of b // and the final third of c //"yesterday", "today", "tomorrow" -> "yesodrow" //"dog", "cat", "bird" -> "dard" //"pancakes", "waffles", "omelettes" -> "pafftes" public static String swapEnds(String a) // return the string a with the first and last letters swapped // "pickles" -> "sicklep" // "bird" -> "dirb" // "regrets" -> "segretr" public static int indexOf2nd(String haystack, String needle) // return the index of the second occurrence of needle in haystack. // if there is no second occurrence, return -1 // "bananas", "a" -> 3 // "bananas", "n" -> 4 // "bananas", "s" -> -1 // "bananas", "t" -> -1 public static int indexOf2ndLast(String haystack, String needle) // return the index of the second to last occurrence of needle in haystack. // "bananas", "a" -> 3 // "bananas", "n" -> 2 // "bananas", "s" -> -1 // "bananas", "t" -> -1 public static boolean reduplicates(String word) // return true if the word reduplicates. "mama", "cancan", "papa", and "mumu" are examples of words that reduplicate. public static boolean binContains(Integer i, String p) // return true if the binary representation of i contains the bit pattern p where p contains only 1s and 0s. // binContains(65, "001") -> true // binContains(66, "011") -> false // binContains(66, "0010") -> true public static boolean isPalindrome(Integer i) // return true if the binary representation of i is a palindrome. // A palindrome is a sequence of characters that reads the same forwards // and backwards. // 1001001 is a palindrome // 11111 is a palindrome // 100010 is not a palindrome // 101010 is not a palindrome public static boolean isAnagram(Integer a, Integer b) // return true if a and b are anagrams of each other. // binary numbers are anagrams if (accounting only for the most // significant digit and lower) they contain the same digits in // a different order. You can assume both a and b are positive. // 1011 and 1110 -> true // 111000 and 101010 -> true // 1100111 and 101111 -> false // 110 and 1100011 -> false // 10011101 and 110011 -> false public static boolean cubeContainsSelf(Integer i) // return true if the string representation of i^3 contains i. //(0, 0), (1, 1), (2, 8), (3, 27), (4, 64), (5, 125), (6, 216), (7, 343), //(8, 512), (9, 729), (10, 1000), (11, 1331), (12, 1728), (13, 2197), //(14, 2744), (15, 3375), (16, 4096), (17, 4913), (18, 5832), (19, 6859), //(20, 8000), (21, 9261), (22, 10648), (23, 12167), (24, 13824) public static Double maxValue(Double a, Double b, Double c, Double d) // return the largest value from a, b, c, and d. NO BOOLEAN EXPRESSIONS OR CONDITIONALS!! public static Integer middleValue(Integer a, Integer b, Integer c) // return the middle value. NO BOOLEAN EXPRESSIONS OR CONDITIONALS! //Bonus Round!!!! public static Integer middleValue(Integer a, Integer b, Integer c, Integer d, Integer e) // return the middle value. NO BOOLEAN EXPRESSIONS OR CONDITIONALS!!!
8a2a0d4f0e27b2557eb0fef050f134c0
{ "intermediate": 0.3974204957485199, "beginner": 0.38998883962631226, "expert": 0.21259072422981262 }
21,673
APCS Unit 2 Classes, Instances, Objects Specification Create a new class in your Unit 2 project called ClassesInstancesObects. Write each of the methods listed below. You may only use what we've directly covered in class. (no boolean expressions, loops, or conditionals) The solutions all require study of the documentation for Integer, Double, and String. You can also use the Math class. public static String binMaxInt() // return the binary representation of the maximum int value public static String binDiffMax(Integer i) // return the binary representation of the difference between i and the // maximum integer value public static String mutant(String a, String b) // return a string containing the front half of a and the back half of b // "muffin" "cupcake" -> "mufcake" // "lobster" "fish" -> "lobsh" public static String triMutant(String a, String b, String c) // return a string containing the first third of a, the middle third of b // and the final third of c //"yesterday", "today", "tomorrow" -> "yesodrow" //"dog", "cat", "bird" -> "dard" //"pancakes", "waffles", "omelettes" -> "pafftes" public static String swapEnds(String a) // return the string a with the first and last letters swapped // "pickles" -> "sicklep" // "bird" -> "dirb" // "regrets" -> "segretr" public static int indexOf2nd(String haystack, String needle) // return the index of the second occurrence of needle in haystack. // if there is no second occurrence, return -1 // "bananas", "a" -> 3 // "bananas", "n" -> 4 // "bananas", "s" -> -1 // "bananas", "t" -> -1 public static int indexOf2ndLast(String haystack, String needle) // return the index of the second to last occurrence of needle in haystack. // "bananas", "a" -> 3 // "bananas", "n" -> 2 // "bananas", "s" -> -1 // "bananas", "t" -> -1 public static boolean reduplicates(String word) // return true if the word reduplicates. "mama", "cancan", "papa", and "mumu" are examples of words that reduplicate. public static boolean binContains(Integer i, String p) // return true if the binary representation of i contains the bit pattern p where p contains only 1s and 0s. // binContains(65, "001") -> true // binContains(66, "011") -> false // binContains(66, "0010") -> true public static boolean isPalindrome(Integer i) // return true if the binary representation of i is a palindrome. // A palindrome is a sequence of characters that reads the same forwards // and backwards. // 1001001 is a palindrome // 11111 is a palindrome // 100010 is not a palindrome // 101010 is not a palindrome public static boolean isAnagram(Integer a, Integer b) // return true if a and b are anagrams of each other. // binary numbers are anagrams if (accounting only for the most // significant digit and lower) they contain the same digits in // a different order. You can assume both a and b are positive. // 1011 and 1110 -> true // 111000 and 101010 -> true // 1100111 and 101111 -> false // 110 and 1100011 -> false // 10011101 and 110011 -> false public static boolean cubeContainsSelf(Integer i) // return true if the string representation of i^3 contains i. //(0, 0), (1, 1), (2, 8), (3, 27), (4, 64), (5, 125), (6, 216), (7, 343), //(8, 512), (9, 729), (10, 1000), (11, 1331), (12, 1728), (13, 2197), //(14, 2744), (15, 3375), (16, 4096), (17, 4913), (18, 5832), (19, 6859), //(20, 8000), (21, 9261), (22, 10648), (23, 12167), (24, 13824) public static Double maxValue(Double a, Double b, Double c, Double d) // return the largest value from a, b, c, and d. NO BOOLEAN EXPRESSIONS OR CONDITIONALS!! public static Integer middleValue(Integer a, Integer b, Integer c) // return the middle value. NO BOOLEAN EXPRESSIONS OR CONDITIONALS! //Bonus Round!!!! public static Integer middleValue(Integer a, Integer b, Integer c, Integer d, Integer e) // return the middle value. NO BOOLEAN EXPRESSIONS OR CONDITIONALS!!!
12d55e54f50aa1b8f1e8441d48f489dd
{ "intermediate": 0.3974204957485199, "beginner": 0.38998883962631226, "expert": 0.21259072422981262 }
21,674
function interpret(interpret_vector_parameters, input_signal) if ndims(input_signal) == 2 || size(input_signal) > 1 return input_signal else if interpret_vector_parameters == true return vec(input_signal) else return reshape(input_signal, 1, 1) end end end println(interpret(true, [1 2 3])) нужно исправить так, чтобы если на входе матрица, у которой количество строк и столбцов больше 1, не менялось ничего, а в остальных случаях, если interpret_vector_parameters == true, входной сигнал преобразовывался в вектор, а если interpret_vector_parameters == false - в матрицу
b4b14475a896f4f3b741f55113dbc1ce
{ "intermediate": 0.21109159290790558, "beginner": 0.6598878502845764, "expert": 0.12902046740055084 }
21,675
you are required to create the Custom Instructions (Prompt) for a AI chatbot that provide that provides extensive car repair support to a user
34c05026b4410b09bb3f5f6b2cfdba62
{ "intermediate": 0.2863292098045349, "beginner": 0.30999934673309326, "expert": 0.40367135405540466 }
21,676
make a bash command that will check the total number amount of entries of all the csv files in a directory
a445668994df22ca2ff2e2e32b669685
{ "intermediate": 0.44412410259246826, "beginner": 0.22071009874343872, "expert": 0.3351658284664154 }
21,677
function interpret(interpret_vector_parameters, input_signal) if ndims(input_signal) == 2 && size(input_signal, 1) > 1 && size(input_signal, 2) > 1 return input_signal else if interpret_vector_parameters == true return vec(input_signal) else return reshape(input_signal, length(input_signal), 1) end end end println(interpret(false, 1)) нужно так же, чтобы данная функция принимала на вход скаляр и так же преобразовывала его в матрицу или вектор, в зависимости от параметра interpret_vector_parameters
28ba452a9c5eaf32a12e64060e4575d3
{ "intermediate": 0.36467891931533813, "beginner": 0.45740363001823425, "expert": 0.1779174953699112 }
21,678
Hello!
4c1795bd5ea7ae2ee5d6018acc0fe292
{ "intermediate": 0.3194829821586609, "beginner": 0.26423266530036926, "expert": 0.41628435254096985 }
21,679
Make a discord Python bot code that pings me in DMs every 5 seconds.
2239882a0115bd6e95d3db597d7071c8
{ "intermediate": 0.42068710923194885, "beginner": 0.15940186381340027, "expert": 0.4199109971523285 }
21,680
write script in perl to connect ot postgresql, select a value from row and print it
84971ae0e36f0b1a88bc82c5a485800b
{ "intermediate": 0.4663899540901184, "beginner": 0.2293052226305008, "expert": 0.304304838180542 }
21,681
i want a condition if at least 1 is selected all buttons must be disabled <td class="w-custom-10% rounded-none text-center"> <button [ngStyle]="{ opacity: country.selected ? '0.5' : '1' }" [disabled]="country.selected" (click)="openModal(2, country)" type="button" class="bg-custom-gray text-custom-blue border-none w-custom-w-60px h-custom-h-30px mr-1 hover:bg-custom-gray focus:bg-custom-gray rounded" > <i class="material-icons align-top">edit</i> </button> <button [ngStyle]="{ opacity: country.selected ? '0.5' : '1' }" [disabled]="country.selected" (click)="openConfirmationDialogBox(3, country)" type="button" class="bg-custom-red-del text-custom-white border-none w-custom-w-60px h-custom-h-30px hover:bg-custom-red-del focus:bg-custom-red-del rounded" > <i class="material-icons align-top">delete_forever</i> </button> </td>
f6fc0aa120e399189189724109c1edec
{ "intermediate": 0.408076673746109, "beginner": 0.3370567262172699, "expert": 0.2548666000366211 }
21,682
code of java string
f4dd518b39b270b5df531352a1dddf1f
{ "intermediate": 0.35358527302742004, "beginner": 0.396915465593338, "expert": 0.24949924647808075 }
21,683
Which of the following are correct answer(s) to calling the constructor of the parents in the following child class? class A: def __init__(self, a) -> None: self.__a = a class B(A): def __init__(self, a, b) -> None: ??? self.__b = b Group of answer choices A__init__(self, a) super().__init__(a) super.__init__(a) A.__init__(a) super().__init__(self, a)
d2f84f316ad528b33208620e3f463fb7
{ "intermediate": 0.3094932734966278, "beginner": 0.49820852279663086, "expert": 0.19229814410209656 }
21,684
public async Task<IActionResult> UpdateUser(string routeName, int sourceLocation, int destinationLocation, int sequence, List<UpdateRouteDto> routeDto) {} How I do I check routeDto count
12798a10f4d71e6d62d0384550e4ec1e
{ "intermediate": 0.56862872838974, "beginner": 0.23994827270507812, "expert": 0.19142301380634308 }
21,685
hey, can you help me to get multilevel x-axis code in python
b6ff38faa546ba5f63fa80ba1ef67a90
{ "intermediate": 0.4268568158149719, "beginner": 0.16679124534130096, "expert": 0.4063519835472107 }
21,686
j'indique un state qui ne correspond pas pour que le revert fonctionne, j'indique aussi un gameId = 1 pour que le require passe gameId != 0, mais cela revert, je ne comprends pas ? la fonction : "la fonction " function proposeLetter(string memory _letterToGuess, string memory _wordToGuess) public { require(gameId != 0, "Bad ID"); require(state == State.firstLetter, "no first letter"); require(gameTotalBets[gameId].bet > 0, "you didn't bet"); address currentPlayer = getActivePlayer(); require(bytes(_letterToGuess).length == 1, "a single letter"); string memory letterFiltered = filteredLetter(_letterToGuess); checkLetterWin(letterFiltered); state = State.inProgress; proposeWord(_wordToGuess, currentPlayer); }"le test " it("devrait rejeter si l'état n'est pas firstLetter", async () => { const gameId = 1; state = 2; await expectRevert( penduelInstance.proposeLetter("I", "IMMUABLE", { from: player1, gameId: gameId }), "no first letter" ); });"
3a80ff4c08df057f17270c32663ba4da
{ "intermediate": 0.4166911244392395, "beginner": 0.3956327438354492, "expert": 0.1876760721206665 }
21,688
can I get code x - axis subplot in python
bdfe03ae5d0d236fa52267f8a2a57241
{ "intermediate": 0.4575410783290863, "beginner": 0.19583989679813385, "expert": 0.34661900997161865 }
21,689
I've installed `shotgun` and `slop` for taking screenshots. Write bash script that'll use that utilities, save screenshot to path `$HOME/Media/"$(now)".png` and save it to the clipboard
4a72d471d1a6abe4880a58ab006e0bad
{ "intermediate": 0.36608612537384033, "beginner": 0.22912749648094177, "expert": 0.4047863781452179 }
21,690
export class AccountService { baseUrl = 'https://localhost:7228/api/' private currentUserSource = new BehaviorSubject<User | null>(null); currentUser$ = this.currentUserSource.asObservable(); constructor(private http:HttpClient) { } login(model:any) { return this.http.post<User>(this.baseUrl + 'account/login', model).pipe( map((response: User) =>{ const user = response; console.log('API Response:', response); if(user){ localStorage.setItem('user', JSON.stringify(user)); this.currentUserSource.next(user); } }) ) } register(model:any){ return this.http.post<UserRegister>(this.baseUrl + 'account/register', model).pipe( map(user => { if (user){ //localStorage.setItem('user', JSON.stringify(user)); //this.currentUserSource.next(user); } }) ) } setCurrentUser(user: User) { this.currentUserSource.next(user); } logout(){ localStorage.removeItem('user'); this.currentUserSource.next(null); } } what setCurrentUser() do?
a10a12d0c8e32e3e12d481677a9abca9
{ "intermediate": 0.4320317208766937, "beginner": 0.37235480546951294, "expert": 0.19561351835727692 }
21,691
I have a table with columns ID, Data, Target. ID is identification number of customer, Data contains list of consecutive MCC codes that shows the place where the perchuse was made. The number of elements in lists in DATA column is not the same for all customers. Target contains list of consecutive MCC codes that must be predicted based on DATA. I need to train a model that will predict the client's next 10 purchases (i.e., the next 10 mcc-codes), based on previous purchases. Write Python script.
805129b1af3e4ad584475b46cee3fb96
{ "intermediate": 0.28324180841445923, "beginner": 0.25523239374160767, "expert": 0.4615258574485779 }
21,692
I have a table with columnd ID, Data, and Target. ID is identification number of customer. Data contains a list of Merchant Category Codes for purchases that have been made. Each customer has different number of purchases. Morevover, codes are given according to the sequence of purchases. Column Target contains the list of Merchant Category Codes for future 10 consecutive purchases. Write a Python script to predict Target based on Data. Provide a numeric example.
e05f413642e0ed821016d1f3bcc3ed0c
{ "intermediate": 0.4775349795818329, "beginner": 0.15699544548988342, "expert": 0.3654695749282837 }
21,693
I have a table with columnd ID, Data, and Target. ID is identification number of customer. Data contains a list of Merchant Category Codes for purchases that have been made. Each customer has different number of purchases. Morevover, codes are given according to the sequence of purchases. Column Target contains the list of Merchant Category Codes for future 10 consecutive purchases. Write a Python script to predict Target based on Data. See a numeric example. Id|Data|Target 0|4814,4814,6010,6011,4814,6011,6011,4814,6011,6011,4814,6011,4814,4814,6011,6011,4814,4814,6011,6011,6011,4814,4814,6011,6011,6011,6011,4814,4814,6011,6011,6011,6011,4814,6011,4814,4814,4814,4814,4814,6011,6011,4814|4814,4814,4814,4814,5411,4814,4814,4814,4814,4814 1|6011,6011,6011,6011,6011,6011,6011,4814,4814,4814,4814,4814,4814,6011,4829,4814,6011,4814,6011,4814,4814,6010,6011,4814,6010,4814,4814,4814,4814,4814,4814,4814,5541,6011,4814,4814,4814,4814,4814,4814,5732,6011,4814,4814,4814|4814,6011,4814,6011,4814,4814,6011,4814,6011,4814 2|8021,6011,6011,6010,4829,4814,6011,6011,6011,6011,5719,5331,4814,6010,4829,4829,6010,5411,5211,8999,4814,5814,5814,5814,5814,5814,5814,5331,5814,5331,6010,4814,5814,5814,5814,4829,6010,5814,5814,5641,5641,4511,5331|6011,6011,6010,4829,4829,6010,6011,6011,4814,6011 3|4814,6011,4814,4814,4814,6011,6011,5691,5691,5411,5411,5411,4814,5411,4814,4814,4814,4814,5411,5411,5814,5411,5411,5411,6011,6011,4814,4814,4814,6011,4814,4814,5411,5411,6011,4814,5411,4814,4814|6011,6011,6010,6011,6011,4814,4814,6011,4814,4814 4|4814,4814,4814,4814,4814,4814,5946,4814,4814,6011,4814,4814,6010,5411,5499,5411,8021,6011,5912,6011,4829,4814,5977,6011,6011,6011,5499,5411,5999,5411,5411,4814,4814,4814,4814,6011,6011,6011,5411,5691,4814,5912,4814,4814|5499,6011,4814,4829,5200,5411,5499,5912,5411,5912
ad418f5d3dacd025f2515a702a5b8fb1
{ "intermediate": 0.3045615255832672, "beginner": 0.42199811339378357, "expert": 0.2734403610229492 }
21,694
I have a table with columnd ID, Data, and Target. ID is identification number of customer. Data contains a list of Merchant Category Codes for purchases that have been made. Each customer has different number of purchases. Morevover, codes are given according to the sequence of purchases. Column Target contains the list of Merchant Category Codes for future 10 consecutive purchases. Write a Python script to predict Target based on Data. See a numeric example. Id|Data|Target 0|4814,4814,6010,6011,4814,6011,6011,4814,6011,6011,4814,6011,4814,4814,6011,6011,4814,4814,6011,6011,6011,4814,4814,6011,6011,6011,6011,4814,4814,6011,6011,6011,6011,4814,6011,4814,4814,4814,4814,4814,6011,6011,4814|4814,4814,4814,4814,5411,4814,4814,4814,4814,4814 1|6011,6011,6011,6011,6011,6011,6011,4814,4814,4814,4814,4814,4814,6011,4829,4814,6011,4814,6011,4814,4814,6010,6011,4814,6010,4814,4814,4814,4814,4814,4814,4814,5541,6011,4814,4814,4814,4814,4814,4814,5732,6011,4814,4814,4814|4814,6011,4814,6011,4814,4814,6011,4814,6011,4814 2|8021,6011,6011,6010,4829,4814,6011,6011,6011,6011,5719,5331,4814,6010,4829,4829,6010,5411,5211,8999,4814,5814,5814,5814,5814,5814,5814,5331,5814,5331,6010,4814,5814,5814,5814,4829,6010,5814,5814,5641,5641,4511,5331|6011,6011,6010,4829,4829,6010,6011,6011,4814,6011 3|4814,6011,4814,4814,4814,6011,6011,5691,5691,5411,5411,5411,4814,5411,4814,4814,4814,4814,5411,5411,5814,5411,5411,5411,6011,6011,4814,4814,4814,6011,4814,4814,5411,5411,6011,4814,5411,4814,4814|6011,6011,6010,6011,6011,4814,4814,6011,4814,4814 4|4814,4814,4814,4814,4814,4814,5946,4814,4814,6011,4814,4814,6010,5411,5499,5411,8021,6011,5912,6011,4829,4814,5977,6011,6011,6011,5499,5411,5999,5411,5411,4814,4814,4814,4814,6011,6011,6011,5411,5691,4814,5912,4814,4814|5499,6011,4814,4829,5200,5411,5499,5912,5411,5912 Take into account that variable Data contains lists with different number of elements and variable Target contains lists with 10 elements. use as a metric mapk which is calculated as follows: def apk(actual, predicted, k=10): if len(predicted) > k: predicted = predicted[:k] score = 0.0 num_hits = 0.0 for i, p in enumerate(predicted): if p in actual and p not in predicted[:i]: num_hits += 1.0 score += num_hits / (i+1.0) if not actual: return 0.0 return score / min(len(actual), k) def mapk(actual, predicted, k=10): return np.mean([apk(a, p, k) for a, p in zip(actual, predicted)])
80fef07d71168d490b8ce52a836ad0a2
{ "intermediate": 0.3617991507053375, "beginner": 0.386526495218277, "expert": 0.2516744136810303 }
21,695
swift error: Binary operator '==' cannot be applied to operands of type 'Character' and 'Int'. мой код. var arrIndex = Array(repeating: 0, count: Gpaint.GetCntX()*Gpaint.GetCntY()) var SerzAI: String = "" do { SerzAI = self.DB.string(forKey: "JSONArrAdrIndex") ?? "" if (!(SerzAI == "")) { arrIndex = objectDeSerializer(Str: SerzAI) } } catch { print("Unexpected non-vending-machine-related error: \(error)") } for p in 0...(lampcnt - 1) { if (SerzAI[p]==0) { print(arr1[p][2]) } }
52a087b452bb4367129c7ade6fa8ecf2
{ "intermediate": 0.3563079237937927, "beginner": 0.5333990454673767, "expert": 0.11029299348592758 }
21,696
Hi, I have a winforms application and use Telerik UI for Winforms for formattering text to html-format. The problem is that tables are inserted with a spesified width, while I want to set the width to automatic. For eksempel: “table-layout: auto;width: 626px;” should be “table-layout: auto;width: 100%;'” How can I change the default settings for html-code for tables?
f7b0f5c9b5c11afcfc1d5256989dfb70
{ "intermediate": 0.6548871994018555, "beginner": 0.19570010900497437, "expert": 0.14941266179084778 }
21,697
import numpy as np def apk(actual, predicted, k=10): if len(predicted) > k: predicted = predicted[:k] score = 0.0 num_hits = 0.0 for i, p in enumerate(predicted): if p in actual and p not in predicted[:i]: num_hits += 1.0 score += num_hits / (i+1.0) if not actual: return 0.0 return score / min(len(actual), k) def mapk(actual, predicted, k=10): return np.mean([apk(a, p, k) for a, p in zip(actual, predicted)]) # Example data data = [ [4814, 4814, 6010, 6011, 4814, 6011, 6011, 4814, 6011, 6011, 4814, 6011, 4814, 4814, 6011, 6011, 4814, 4814, 6011, 6011, 6011, 4814, 4814, 6011, 6011, 6011, 6011, 4814, 4814, 6011, 6011, 6011, 6011, 4814, 6011, 4814, 4814, 4814, 4814, 4814, 6011, 6011, 4814], [6011, 6011, 6011, 6011, 6011, 6011, 6011, 4814, 4814, 4814, 4814, 4814, 4814, 6011, 4829, 4814, 6011, 4814, 6011, 4814, 4814, 6010, 6011, 4814, 6010, 4814, 4814, 4814, 4814, 4814, 4814, 4814, 5541, 6011, 4814, 4814, 4814, 4814, 4814, 4814, 5732, 6011, 4814, 4814, 4814], [8021, 6011, 6011, 6010, 4829, 4814, 6011, 6011, 6011, 6011, 5719, 5331, 4814, 6010, 4829, 4829, 6010, 5411, 5211, 8999, 4814, 5814, 5814, 5814, 5814, 5814, 5814, 5331, 5814, 5331, 6010, 4814, 5814, 5814, 5814, 4829, 6010, 5814, 5814, 5641, 5641, 4511, 5331], [4814, 6011, 4814, 4814, 4814, 6011, 6011, 5691, 5691, 5411, 5411, 5411, 4814, 5411, 4814, 4814, 4814, 4814, 5411, 5411, 5814, 5411, 5411, 5411, 6011, 6011, 4814, 4814, 4814, 6011, 4814, 4814, 5411, 5411, 6011, 4814, 5411, 4814, 4814], [4814, 4814, 4814, 4814, 4814, 4814, 5946, 4814, 4814, 6011, 4814, 4814, 6010, 5411, 5499, 5411, 8021, 6011, 5912, 6011, 4829, 4814, 5977, 6011, 6011, 6011, 5499, 5411, 5999, 5411, 5411, 4814, 4814, 4814, 4814, 6011, 6011, 6011, 5411, 5691, 4814, 5912, 4814, 4814] ] target = [ [4814, 4814, 4814, 4814, 5411, 4814, 4814, 4814, 4814, 4814], [4814, 6011, 4814, 6011, 4814, 4814, 6011, 4814, 6011, 4814], [6011, 6011, 6010, 4829, 4829, 6010, 6011, 6011, 4814, 6011], [6011, 6011, 6010, 6011, 6011, 4814, 4814, 6011, 4814, 4814], [5499, 6011, 4814, 4829, 5200, 5411, 5499, 5912, 5411, 5912] ] # Predict the target based on the data predicted = [] # Store the predicted targets # Loop through each data sequence for d in data: # For each data sequence, predict the target based on the most common element in Data predicted_sequence = [np.argmax(np.bincount(d))] * 10 predicted.append(predicted_sequence) # Calculate the mapk score score = mapk(target, predicted) print(“MAPK Score:”, score) The error is --------------------------------------------------------------------------- ValueError Traceback (most recent call last) Cell In[17], line 7 4 # Loop through each data sequence 5 for d in df_train: 6 # For each data sequence, predict the target based on the most common element in Data ----> 7 predicted_sequence = [np.argmax(np.bincount(d))] * 10 8 predicted.append(predicted_sequence) 10 # Calculate the mapk score File <__array_function__ internals>:200, in bincount(*args, **kwargs) ValueError: object of too small depth for desired array
0c0ffee1b098e7fce2c08053e198b86f
{ "intermediate": 0.46364307403564453, "beginner": 0.33737602829933167, "expert": 0.19898083806037903 }
21,698
What is the best approach to make columns alligment to right in following code <tr> <td>Rentowe</td> <td>{pensionRentalContributions.toFixed(2)} zł</td> <td>{pensionRentalContributions.toFixed(2)} zł</td> <td>{pensionRentalContributions.toFixed(2)} zł</td> </tr> ?
086df37af9baafdf0867dc731af5c97f
{ "intermediate": 0.3470001816749573, "beginner": 0.4049513339996338, "expert": 0.24804843962192535 }
21,699
using UnityEngine; using System.Collections; using System.Collections.Generic; using UnityEngine.UI; using UnityEngine.SceneManagement; public class AnswerQuestion : MonoBehaviour { class Question { public string QuestionContent { get; set; } public List<string> Answers { get; set; } public Question(string content, List<string> answerList) { QuestionContent = content; Answers = answerList; } } List<Question> questionList = new List<Question>(); Question currentQuestion = null; public Text QuestionText; public Text AnswerTextA; public Text AnswerTextB; public Text AnswerTextC; public Text AnswerTextD; public Button AnswerButtonA; public Button AnswerButtonB; public Button AnswerButtonC; public Button AnswerButtonD; string answer; int correct = 0; int wrong = 0; ColorBlock green = new ColorBlock(); ColorBlock red = new ColorBlock(); ColorBlock normal = new ColorBlock(); public Text FinalText; public GameObject MainSet; // Use this for initialization первый ответ всегда верный void Start() { questionList.Add(new Question("Кто главный герой мультсериала \"Губка Боб Квадратные штаны\"?", new List<string> { "Губка Боб", "Сквидвард", "Патрик", "Планктон"})); questionList.Add(new Question("Как зовут собаку Микки Мауса в мультфильме \"Клуб Микки Мауса\"?", new List<string> { "Плуто", "Гуфи", "Минни Маус", "Дональд Дак"})); questionList.Add(new Question("Какой мультяшный супергерой носит красную накидку и умеет летать?", new List<string> { "Супермен", "Бэтмен", "Человек-паук", "Железный человек"})); questionList.Add(new Question("В мультсериале \"Том и Джерри\" кто постоянно пытается поймать мышонка Джерри?", new List<string> { "Кот Том", "Кузен Джерри", "Кот Бутч", "Бульдог Спайк"})); newQ(); green = AnswerButtonA.colors; red = AnswerButtonA.colors; normal = AnswerButtonA.colors; green.normalColor = Color.green; green.pressedColor = Color.green; green.highlightedColor = Color.green; green.disabledColor = Color.green; red.normalColor = Color.red; red.pressedColor = Color.red; red.highlightedColor = Color.red; red.disabledColor = Color.red; } float timeToWait = 0; bool changeTime = false; bool returnTime = false; void Update() { timeToWait -= Time.deltaTime; if (timeToWait < 0 && changeTime) { AnswerButtonA.colors = normal; AnswerButtonB.colors = normal; AnswerButtonC.colors = normal; AnswerButtonD.colors = normal; newQ(); changeTime = false; } if (timeToWait < 0 && returnTime) { SceneManager.LoadScene("Main"); returnTime = false; } } void newQ() { if (questionList.Count != 0) { currentQuestion = questionList[(new System.Random()).Next(questionList.Count)]; answer = currentQuestion.Answers[0]; QuestionText.text = currentQuestion.QuestionContent + " (C:" + correct + " W:" + wrong + ")"; var availableAnswers = currentQuestion.Answers; List<int> notIncluded = new List<int>(); var curr = Random.Range(0, 4); while (notIncluded.Contains(curr)) { curr = Random.Range(0, 4); } notIncluded.Add(curr); AnswerTextA.text = "" + availableAnswers[curr]; while (notIncluded.Contains(curr)) { curr = Random.Range(0, 4); } notIncluded.Add(curr); AnswerTextB.text = "" + availableAnswers[curr]; while (notIncluded.Contains(curr)) { curr = Random.Range(0, 4); } notIncluded.Add(curr); AnswerTextC.text = "" + availableAnswers[curr]; while (notIncluded.Contains(curr)) { curr = Random.Range(0, 4); } notIncluded.Add(curr); AnswerTextD.text = "" + availableAnswers[curr]; } else { MainSet.SetActive(false); FinalText.gameObject.SetActive(true); FinalText.text = string.Format("Ты правильно ответил(а) {0} и ошибся(лась) {1} раз!", correct, wrong); changeTime = false; returnTime = true; timeToWait = 5; } } void commonStuff(bool isCorrect, Button currentButton) { questionList.Remove(currentQuestion); if (isCorrect) { correct++; currentButton.colors = green; } else { wrong++; currentButton.colors = red; if (AnswerTextA.text == answer) { AnswerButtonA.colors = green; } else if (AnswerTextB.text == answer) { AnswerButtonB.colors = green; } else if (AnswerTextC.text == answer) { AnswerButtonC.colors = green; } else if (AnswerTextD.text == answer) { AnswerButtonD.colors = green; } } timeToWait = 1.5f; changeTime = true; } public void AnswerA() { if (!changeTime) { commonStuff((AnswerTextA.text == answer), AnswerButtonA); } } public void AnswerB() { if (!changeTime) { commonStuff((AnswerTextB.text == answer), AnswerButtonB); } } public void AnswerC() { if (!changeTime) { commonStuff((AnswerTextC.text == answer), AnswerButtonC); } } public void AnswerD() { if (!changeTime) { commonStuff((AnswerTextD.text == answer), AnswerButtonD); } } }
3c0cf1d28ef3bce748b05ee8e38530ea
{ "intermediate": 0.26478081941604614, "beginner": 0.6683921217918396, "expert": 0.06682703644037247 }
21,700
I used this code: df = client.depth(symbol=symbol) def signal_generator(df): if df is None or len(df) < 2: return '' signal = [] # Retrieve depth data threshold = 0.35 depth_data = client.depth(symbol=symbol) bid_depth = depth_data['bids'] ask_depth = depth_data['asks'] buy_price = float(bid_depth[0][0]) if bid_depth else 0.0 sell_price = float(ask_depth[0][0]) if ask_depth else 0.0 mark_price_data = client.ticker_price(symbol=symbol) mark_price = float(mark_price_data['price']) if 'price' in mark_price_data else 0.0 mark_price_data_change = client.ticker_24hr_price_change(symbol=symbol) mark_price_percent = float(mark_price_data_change['priceChangePercent']) if 'priceChangePercent' in mark_price_data_change else 0.0 buy_qty = float(bid_depth[0][1]) if bid_depth else 0.0 sell_qty = float(ask_depth[0][1]) if ask_depth else 0.0 # Calculate the threshold for order price deviation if mark_price_percent > 2: price_threshold = 5 / 100 elif mark_price_percent < -2: price_threshold = 5 / 100 else: price_threshold = 4 / 100 if (sell_qty > (1 + threshold) > buy_qty) and (sell_price < mark_price - price_threshold): signal.append('sell') elif (buy_qty > (1 + threshold) > sell_qty) and (buy_price > mark_price + price_threshold): signal.append('buy') else: signal.append('') return signal secret_key = API_KEY_BINANCE access_key = API_SECRET_BINANCE lookback = 10080 active_signal = None buy_entry_price = None sell_entry_price = None import binance def calculate_percentage_difference_buy(entry_price, exit_price): result = exit_price - entry_price price_result = entry_price / 100 final_result = result / price_result result = final_result * 50 return result def calculate_percentage_difference_sell(sell_entry_price, sell_exit_price): percentage_difference = sell_entry_price - sell_exit_price price_result = sell_entry_price / 100 # price result = 1% price_percent_difference = percentage_difference / price_result result = price_percent_difference * 50 return result while True: if df is not None: quantity = bch_amount_rounded signals = signal_generator(df) mark_price_data = client.ticker_price(symbol=symbol) mark_price = float(mark_price_data['price']) if 'price' in mark_price_data else 0.0 if signals == ['buy'] or signals == ['sell']: print(f"The signal time is: {dt.datetime.now().strftime('%Y-%m-%d %H:%M:%S')}, Price {mark_price} - Signals: {signals}") if 'buy' in signals and active_signal != 'buy': try: active_signal = 'buy' buy_entry_price = mark_price # Record the Buy entry price print(f"Buy Entry Price: {buy_entry_price}") # Execute Buy orders here client.new_order(symbol=symbol, side='BUY', type='MARKET', quantity=quantity) client.new_order(symbol=symbol, side='BUY', type='MARKET', quantity=quantity) print("Long order executed!") except binance.error.ClientError as e: print(f"Error executing long order: ") if sell_entry_price is not None and buy_entry_price is not None: sell_exit_price = mark_price difference_sell = calculate_percentage_difference_sell(sell_entry_price, sell_exit_price) profit_sell = difference_sell total_profit_sell = profit_sell profit_sell_percent = total_profit_sell - 4 print(f"sell entry price {sell_entry_price}, sell exit price {sell_exit_price} , Sell P&L: {round(total_profit_sell, 2)}% with fee {round(profit_sell_percent, 2)}%") else: print("Sell Entry price or Buy Entry price is not defined.") elif 'sell' in signals and active_signal != 'sell': try: active_signal = 'sell' sell_entry_price = mark_price # Record the sell entry price print(f"Sell Entry Price: {sell_entry_price}") # Execute sell orders here client.new_order(symbol=symbol, side='SELL', type='MARKET', quantity=quantity) client.new_order(symbol=symbol, side='SELL', type='MARKET', quantity=quantity) print("Short order executed!") except binance.error.ClientError as e: print(f"Error executing short order: ") if buy_entry_price is not None and sell_entry_price is not None: buy_exit_price = mark_price difference_buy = calculate_percentage_difference_buy(buy_entry_price, buy_exit_price) profit_buy = difference_buy total_profit_buy = profit_buy profit_buy_percent = total_profit_buy - 4 print(f"buy entry price {buy_entry_price}, buy exit price: {sell_entry_price}, Buy P&L: {round(total_profit_buy, 2)}% with fee {round(profit_buy_percent, 2)}%") else: print("Buy Entry price or Sell Entry price is not defined.") time.sleep(1)
38d2621c82982b4322f13af5f257bda6
{ "intermediate": 0.37616947293281555, "beginner": 0.3699476718902588, "expert": 0.25388291478157043 }
21,701
How I need to place order based on this code: def cancel_order( self, symbol: str, orderId: int = None, origClientOrderId: str = None, **kwargs ): """ | | **Cancel Order (TRADE)** | *Cancel an active order.* :API endpoint: ``DELETE /fapi/v1/order`` :API doc: https://binance-docs.github.io/apidocs/futures/en/#cancel-order-trade :parameter symbol: string :parameter orderId: optional int :parameter origClientOrderId: optional string :parameter newClientOrderId: optional string :parameter recvWindow: optional int | """ if (orderId is None) and (origClientOrderId is None): check_required_parameters( [ [symbol, "symbol"], [orderId, "orderId"], ["origClientOrderId", origClientOrderId], ] ) elif orderId: params = {"symbol": symbol, "orderId": orderId, **kwargs} else: params = {"symbol": symbol, "origClientOrderId": origClientOrderId, **kwargs} url_path = "/fapi/v1/order" return self.sign_request("DELETE", url_path, params)
057d676f77807348607b6d69803ed5ed
{ "intermediate": 0.6170355677604675, "beginner": 0.27643823623657227, "expert": 0.10652615875005722 }