row_id int64 0 48.4k | init_message stringlengths 1 342k | conversation_hash stringlengths 32 32 | scores dict |
|---|---|---|---|
21,400 | make the form of the dialog take the full width and height of the print page, after i make all the body visibilaty hidden except this form | f445c08eb408d22f0f9ad0fd0bc0cb08 | {
"intermediate": 0.35997092723846436,
"beginner": 0.24529317021369934,
"expert": 0.3947359025478363
} |
21,401 | Return True if and only if passwd is considered to be a strong password.
A string is considered to be a strong password when it satisfies each of
the following conditions:
- it has a length greater than or equal to 6,
- it contains at least one lowercase letter,
- it contains at least one uppercase letter, and
- it contains at least one digit. | 59742dca20f72778f9bca677bd5cbe0c | {
"intermediate": 0.33692091703414917,
"beginner": 0.2057977020740509,
"expert": 0.45728135108947754
} |
21,402 | Return True if and only if passwd is considered to be a strong password.
A string is considered to be a strong password when it satisfies each of
the following conditions:
- it has a length greater than or equal to 6,
- it contains at least one lowercase letter,
- it contains at least one uppercase letter, and
- it contains at least one digit. | 288b3a0904468de5dfe300ec2603a5b7 | {
"intermediate": 0.33692091703414917,
"beginner": 0.2057977020740509,
"expert": 0.45728135108947754
} |
21,403 | Wan you write the c++ code for a game in unreal engine? | 93634331d278f509c1ceff77392aacf2 | {
"intermediate": 0.2713695466518402,
"beginner": 0.4358890652656555,
"expert": 0.2927413880825043
} |
21,404 | Make a code for blackjack on python | ab3a143206f8f322b164220eca527228 | {
"intermediate": 0.3187407851219177,
"beginner": 0.2539803087711334,
"expert": 0.42727893590927124
} |
21,405 | meaning & purpose of each row # The following code to create a dataframe and remove duplicated rows is always executed and acts as a preamble for your script:
# dataset = pandas.DataFrame(adtype, Users)
# dataset = dataset.drop_duplicates()
# Paste or type your script code here:
# Complete code with reduced height for the bottom-most triangle
import matplotlib.pyplot as plt
import pandas as pd
col1 = ['DSP', 'Sponsored Display', 'Sponsored Products', 'Sponsored Brands']
col2 = [0.6134, 0.2689, 0.0577, 0.0524]
df = pd.DataFrame({'Type': col1, 'Percentage': col2})
df['perc'] = df['Type'] + ' ' + (df['Percentage'] * 100).round(2).astype(str) + '%'
rperc = df['perc'][::-1].reset_index(drop=True)
def draw_upside_down_triangle(base_length):
# fig, ax = plt.subplots()
fig, ax = plt.subplots(figsize=(12, 10)) # Increase the canvas size
plt.subplots_adjust(left=0, right=0.8, top=0.9, bottom=0.1) # Add more space around the figure
# Coordinates for the vertices of the triangle
x_coords = [0, base_length, base_length / 2]
y_coords = [(base_length * (3 ** 0.5)) / 2, (base_length * (3 ** 0.5)) / 2, 0]
# Draw the triangle
ax.fill(x_coords, y_coords, 'b', edgecolor='black')
# Calculate the y-coordinate values for the horizontal lines
line1_y = base_length * 0.2165
line2_y = base_length * 0.433
line3_y = base_length * 0.6495
# Set the length and starting position for each horizontal line
line_length = base_length
line1_x_start = base_length * 0.375
line2_x_start = base_length * 0.25
line3_x_start = base_length * 0.125
# Draw the horizontal lines accurately
ax.hlines([line1_y, line2_y, line3_y], xmin=[line1_x_start, line2_x_start, line3_x_start],
xmax=[line1_x_start+line_length*0.25, line2_x_start + line_length*0.5, line3_x_start + line_length*0.75],
color='gray', linewidth=1)
segments = [
{'x': [base_length*0.5, line1_x_start, line1_x_start+line_length*0.25],
'y': [0, line1_y, line1_y],
'color': '#FDDB98', # Yellow Gold
'label': 'Segment 1'},
{'x': [line1_x_start, line1_x_start+line_length*0.25, line2_x_start + line_length*0.5, line2_x_start],
'y': [line1_y, line1_y, line2_y, line2_y],
'color': '#EFBF9C', # Light Salmon
'label': 'Segment 2'},
{'x': [line2_x_start, line2_x_start+line_length*0.5, line3_x_start + line_length*0.75, line3_x_start],
'y': [line2_y, line2_y, line3_y, line3_y],
'color': '#E79F6B', # Salmon
'label': 'Segment 3'},
{'x': [line3_x_start, line3_x_start+line_length*0.75, base_length, 0],
'y': [line3_y, line3_y, base_length*0.866, base_length*0.866],
'color': '#DF7F39', # Orange
'label': 'Segment 4'}
]
for idx, segment in enumerate(segments):
plt.fill(segment['x'], segment['y'], color=segment['color'])
# Calculate approximate center for placing text label
y_center = sum(segment['y']) / len(segment['y'])
# Place the text outside the triangle on the right-hand side
plt.text(max(segment['x']) + 0.01, y_center, rperc[idx], fontsize=20, ha='left', va='center')
# ax.set_aspect('equal', 'box')
plt.axis('off')
plt.show()
# Draw an upside-down triangle with base length 5 and three horizontal lines
draw_upside_down_triangle(5) | 4e5e2c9a75cb063d9b3c4077964b4920 | {
"intermediate": 0.37929683923721313,
"beginner": 0.4212031066417694,
"expert": 0.19950006902217865
} |
21,406 | write a function for dynamic array in C++ on void increaseArraySize() | b261717c8aa11549ae8a9f0f32845efd | {
"intermediate": 0.4382849931716919,
"beginner": 0.34701868891716003,
"expert": 0.21469633281230927
} |
21,407 | create 3d cube in obj format, code in esnext typescript using arrow functions | 0995006308e447d7b6c27e69255b2024 | {
"intermediate": 0.22808681428432465,
"beginner": 0.590735912322998,
"expert": 0.18117733299732208
} |
21,408 | How to change the scale of the y-axis of a graph in RStudio? | fa0357b672aea5541c631b9c966fd7bb | {
"intermediate": 0.5030184984207153,
"beginner": 0.15882793068885803,
"expert": 0.33815354108810425
} |
21,409 | #include <iostream>
template <class T>
class DynamicArray
{
public:
DynamicArray(int size) : m_data(new T[size])
{
m_size = size;
m_firstEmptyElement = 0;
}
~DynamicArray()
{
delete[] m_data;
}
void add(T data)
{
try
{
if (m_firstEmptyElement < m_size)
{
m_data[m_firstEmptyElement] = data;
m_firstEmptyElement++;
}
else
{
throw m_firstEmptyElement;
}
}
catch (int m_firstEmptyElement)
{
std::cout << "Index " << m_firstEmptyElement << " is out of
bounds." << std::endl;
}
}
void removeByElement(int index)
{
}
T getByElement(int index)
{
try
{
if (index < m_size)
{
return m_data[index];
}
else
{
throw index;
}
}
catch (int index)
{
std::cout << "Index " << index << " is out of bounds." <<
std::endl;
}
}
void increaseArraySize()
{
}
void decreaseArraySize()
{
}
private:
T* m_data;
int m_size;
int m_firstEmptyElement;
}; finish the code in C++ | fa55a5c21157eeb9b0aa02598f8a3955 | {
"intermediate": 0.40760573744773865,
"beginner": 0.3155597448348999,
"expert": 0.27683448791503906
} |
21,410 | I want to get “09.06.1398” from
“09-06-1398”
“09-06-1398 E”
“09-06-1398 e”
“09-06-1398 E”
“09-06-1398 e”How to fix above function | 8db81de14a25cb6c7c4b4447cd18acc0 | {
"intermediate": 0.2911602854728699,
"beginner": 0.5438319444656372,
"expert": 0.16500777006149292
} |
21,411 | elseif rep.rate_options == "Allow multirate processing"
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
num_rows, num_cols = size(buffer_matrix)
sub_matrices = Matrix{eltype(input_signal)}[]
num_sub_matrices = ceil(Int, num_rows / rep.repetition_count)
for i in 1:num_sub_matrices
start_index = (i - 1) * rep.repetition_count + 1
end_index = min(i * rep.repetition_count, num_rows)
sub_matrix = buffer_matrix[start_index:end_index, :]
push!(sub_matrices, sub_matrix)
end
return sub_matrices
end
этот код работает, но нужно, чтобы он выводил массив из матриц, той же размерности, что и матрица, записанная в переменной input_signal | 976b6e1ac65ff17485ef04c04b990fe9 | {
"intermediate": 0.3507884740829468,
"beginner": 0.4188975393772125,
"expert": 0.23031403124332428
} |
21,412 | give me python code to use record linkage library and sentence transformer library together. | ce9e4cc457892d20aa27c04260c55000 | {
"intermediate": 0.7721630930900574,
"beginner": 0.07859805226325989,
"expert": 0.14923882484436035
} |
21,413 | могу ли я при помощи библиотеки apache poi конвертировать docx в pdf без потерь и узнать количество страниц в получившемся pdf? | 868901ecca9dd88ea03e1301617e98a0 | {
"intermediate": 0.45466145873069763,
"beginner": 0.3171619474887848,
"expert": 0.22817660868167877
} |
21,414 | can you improve this code
class RGNResponse {
private:
int code;
const std::string rawBody;
public:
RGNResponse(int code, const std::string rawBody);
int getCode();
const std::string& getRawBody();
}; | feed1f988c6100854f3643d5f62bac21 | {
"intermediate": 0.2725551426410675,
"beginner": 0.5255558490753174,
"expert": 0.2018890231847763
} |
21,415 | im getting an error "'const std::string &RGNWallet::getAddress(void)': cannot convert 'this' pointer from 'const RGNWallet' to 'RGNWallet &'"
void UBP_RGNGetUserWalletsResponse::Raise(RGNGetUserWalletsResponse response) {
FBP_RGNGetUserWalletsResponseData ResponseData;
for (const RGNWallet& wallet : response.getWallets()) {
FBP_RGNWallet Wallet;
Wallet.Address = FString(wallet.getAddress().c_str());
ResponseData.Wallets.Add(Wallet);
}
ResponseEvent.ExecuteIfBound(ResponseData);
} | dde1b556654c915fba4e91dfa16c111d | {
"intermediate": 0.40186548233032227,
"beginner": 0.31818583607673645,
"expert": 0.27994871139526367
} |
21,416 | #include "Node.cpp"
template <class T>
class LinkedList
{
public:
LinkedList()
{
m_head = 0;
m_tail = 0;
m_size = 0;
}
~LinkedList()
{
delete m_head;
}
void add(T data)
{
Node<T>* newNode = new Node<T>(data);
if (m_head == 0)
{
m_head = m_tail = newNode;
m_size++;
}
else
{
m_tail->setNext(newNode);
m_tail = m_tail->getNext();
m_size++;
}
}
Node<T>* findNodeByIndex(int index)
{
Node<T>* currentNode = m_head;
for (int i = 0; i < index; ++i)
{
if (currentNode->getNext() != 0)
{
currentNode = currentNode->getNext();
}
}
return currentNode;
}
Node<T>* findNodeByValue(T value)
{
}
T getByIndex(int index)
{
return findNodeByIndex(index)->getData();
}
void deleteByIndex(int index)
{
Node<T>* precedingNode = findNodeByIndex(index - 1);
if (index == m_size)
{
precedingNode->setNext(0);
m_tail = precedingNode;
}
else if (index > 0)
{
precedingNode->setNext(precedingNode->getNext()-
>getNext());
}
else
{
m_head = m_head->getNext();
}
m_size--;
}
void deleteByValue(T value)
{
}
int getSize()
{
return m_size;
}
private:
Node<T>* m_head;
Node<T>* m_tail;
int m_size;
}; finish the code in C++ with comment | 6e54e94bde456d782b9992c42e93cd65 | {
"intermediate": 0.32782822847366333,
"beginner": 0.32028937339782715,
"expert": 0.3518824577331543
} |
21,417 | give an idea for an aritifact made in python using the turtle method Requirements
Your artistic artifact should represent the algorithmic thinking and computational skills you have learned thus far.
Basic functionality:
Create a variety of shapes to produce a unique, artistic artifact.
Use color and size variations to enhance your artwork.
Use movement to enhance your artifact.
Use iteration (looping) and conditional execution (if statements) to control the drawing.
To help you in creating your artwork:
Use existing turtle methods.
Choose descriptive variable names.
Comment code segments or blocks of statements. | ca4200dbde5e542caffc30569e114f81 | {
"intermediate": 0.20182771980762482,
"beginner": 0.3052557110786438,
"expert": 0.4929165840148926
} |
21,418 | add validation no more than 10 numbers input
<td class="w-custom-10% rounded-none text-center">
<ng-container *ngIf="country.selected">
<input
type="number"
min="0"
[(ngModel)]="country.area"
max="9999999999"
required
/>
</ng-container>
<ng-container *ngIf="!country.selected">
{{ country.area }}
</ng-container>
</td> | 19a9b0f8bf3b58f92479e672f3e38f3b | {
"intermediate": 0.42245566844940186,
"beginner": 0.29098501801490784,
"expert": 0.2865592837333679
} |
21,419 | <div>
<div class="grid grid-cols-3 gap-2">
<div v-for="item in TEMP_STOCK_IMAGES">
<div style="width:120px; height: 120px;" :style="{ 'background-image': 'url(../../../assets/test-images/image1.jfif)' }"></div>
</div>
</div>
</div>
This is vue2 code. What's wrong? | 4b59d9696ef1a3253a54aa53bc24803d | {
"intermediate": 0.35742849111557007,
"beginner": 0.3910330832004547,
"expert": 0.2515384256839752
} |
21,420 | this is my userService that communicates with springboot java
now i want to use a json server how can i convert this
// Method to fetch a list of countries from the API
getCountries(): Observable<Country> {
return this.http.get<Country>(`${this.apiUrl}/countries`);
}
// Method to add a new country to the API
addCountry(country: any): Observable<any> {
return this.http.post(`${this.apiUrl}/add-country`, country);
}
// Method to update an existing country in the API
updateCountry(id: any, country: any): Observable<any> {
const url = `${this.apiUrl}/update-country/${id}`;
return this.http.put(url, country);
}
// Method to delete a country from the API
deleteCountry(id: any): Observable<any> {
const url = `${this.apiUrl}/delete-country/${id}`;
return this.http.delete(url);
}
// Method to delete selected items
deleteSelectedCountries(selectedCountryIds: number[]) {
const url = `${this.apiUrl}/delete-multiple-country`;
return this.http.delete(url, { body: selectedCountryIds });
}
updateMultipleRecords(data: any): Observable<any> {
const url = `${this.apiUrl}/edit-multiple-country`;
return this.http.put(url, data);
} | 01d76ccc9de8f96d9002a3576f5df15e | {
"intermediate": 0.7739903926849365,
"beginner": 0.15269601345062256,
"expert": 0.07331357896327972
} |
21,421 | i have a json server how can i save data using angular | 2df133846918019ebe178d212c013eec | {
"intermediate": 0.7707607746124268,
"beginner": 0.1128806471824646,
"expert": 0.11635861545801163
} |
21,422 | please implement json library in c++ | 9c0532c622c3d99ce6a2f336ebd76dc7 | {
"intermediate": 0.7947160005569458,
"beginner": 0.09692715853452682,
"expert": 0.10835679620504379
} |
21,423 | how do i make a cursor trail script using unity C# for my game | 9d45fa40fce4e5ac74c92affe575f358 | {
"intermediate": 0.6274250745773315,
"beginner": 0.23361341655254364,
"expert": 0.1389615833759308
} |
21,424 | act as c++ developer.
i have shared c++ code which should be compatible with unreal engine and godot
inside the code it use RestAPI and should have possibility to serialize/deserialize json
you take the decision use interface class to work with json and implementation of it located in game engine
how you will do this | 7d783e4863d72e8233c1219b381b3389 | {
"intermediate": 0.7919797301292419,
"beginner": 0.1384575515985489,
"expert": 0.06956274062395096
} |
21,425 | when i do this im getting 401
addCountry(country: any): Observable<any> {
return this.http.post('https://api.npoint.io/951f09a4404d443d9328', country);
} | a5c19c0bf846570b655c6dafcad32ef7 | {
"intermediate": 0.3939032554626465,
"beginner": 0.3658317029476166,
"expert": 0.2402651011943817
} |
21,426 | act as c++ developer.
i have shared c++ code which should be compatible with unreal engine and godot
inside the code it use RestAPI and should have possibility to serialize/deserialize json
it is good to have possibility serialize/deserialize any class that you need
you take the decision use interface class to work with json and implementation of it located in game engine
how you will do this | 85fa32ae862d099391324988d09b6f79 | {
"intermediate": 0.7772197723388672,
"beginner": 0.15662255883216858,
"expert": 0.06615765392780304
} |
21,427 | How to convert timestamp into date in sql server? | a0b48d35ae913cc6dadbbffb8ea9ce00 | {
"intermediate": 0.5670557618141174,
"beginner": 0.16134688258171082,
"expert": 0.27159741520881653
} |
21,428 | add data to my npoint api using angular
this is my schema
{
"type": "array",
"minItems": 1,
"uniqueItems": true,
"items": {
"type": "object",
"required": [
"id",
"code",
"name",
"description",
"population",
"area",
"create_date",
"update_by"
],
"properties": {
"id": {
"type": "integer"
},
"code": {
"type": "string",
"maxLength": 10
},
"name": {
"type": "string",
"maxLength": 100
},
"description": {
"type": "string",
"maxLength": 180
},
"population": {
"type": "integer"
},
"area": {
"type": "integer"
},
"create_date": {
"type": "string",
"format": "date-time"
},
"update_date": {
"type": [
"string",
"null"
],
"format": "date-time"
},
"update_by": {
"type": "integer"
}
}
}
} | cb0473979d3120a44fc8523f88301efa | {
"intermediate": 0.2807825803756714,
"beginner": 0.45171648263931274,
"expert": 0.26750096678733826
} |
21,429 | python find all lists with the same second element | 7f8d7fcfec551d9642e5e73bb70f73c5 | {
"intermediate": 0.3616701066493988,
"beginner": 0.22542184591293335,
"expert": 0.41290798783302307
} |
21,430 | After asking the program to read my csv file | f86d49b26e7002f750ae4ae86ba27d78 | {
"intermediate": 0.36986228823661804,
"beginner": 0.2893768548965454,
"expert": 0.34076082706451416
} |
21,431 | i want to have a counter using this.filteredCountries.length
<ng-container
*ngFor="
let country of getCountriesForCurrentPage();
let counter = index;
let isOdd = odd
"
>
<tr
*ngIf="!isInputRowVisible || !country.selected"
[class.even:bg-custom-white-bg]="isOdd"
[class.odd:bg-white]="!isOdd"
class="border-t border-b"
>
<td class="w-custom-5% rounded-none text-center">
<input
type="checkbox"
[(ngModel)]="country.selected"
(change)="anySelected(country)"
/>
</td>
<td class="w-custom-5% rounded-none text-center">
{{ counter + 1 }}
</td>
getCountriesForCurrentPage() {
const startIndex = (this.currentPage - 1) * 10;
const endIndex = startIndex + 10;
this.selectAllPerPage = this.filteredCountries.slice(startIndex, endIndex);
return this.filteredCountries.slice(startIndex, endIndex);
} | 6017713bf094fef969c22121a1466f91 | {
"intermediate": 0.30837997794151306,
"beginner": 0.5112507939338684,
"expert": 0.18036921322345734
} |
21,432 | parse this json "{"wallets":[]}" using unreal engine parser c++ | fc08bd79261bd9d2107f20a4d1de98aa | {
"intermediate": 0.439725399017334,
"beginner": 0.2725442349910736,
"expert": 0.2877303659915924
} |
21,433 | how to construct the statistical hypotheses for the test (using
symbols) | a12f18ea0d507e7a5379fc6fc0213284 | {
"intermediate": 0.24675291776657104,
"beginner": 0.23173709213733673,
"expert": 0.5215100646018982
} |
21,434 | woff font | 6150e6bab89a29ea4d4128699694b3f9 | {
"intermediate": 0.3213714361190796,
"beginner": 0.3631416857242584,
"expert": 0.315486878156662
} |
21,435 | c# sharpfont load woff code example | 500f82647dcc3494232ebe23d12b0ced | {
"intermediate": 0.27557241916656494,
"beginner": 0.5010222792625427,
"expert": 0.22340534627437592
} |
21,436 | elseif rep.input_processing == "Elements as channels" && rep.rate_options == "Allow multirate processing"
if rep.counter <= rep.repetition_count
max_ticks = rep.repetition_count
tick = rep.counter
if tick >= max_ticks
output_signal = input_signal
else
output_signal = rep.initial_conditions
end
rep.counter += 1
end
return output_signal
end
end
нужно исправить так, чтобы input_signal мог выводиться несколько раз подряд, если функция была вызвана больше раз | 3f84c24c894d19468d07ea566590ded0 | {
"intermediate": 0.3042656183242798,
"beginner": 0.3530292212963104,
"expert": 0.3427051603794098
} |
21,437 | add validation for negative
<td class="w-custom-10% rounded-none text-center">
<ng-container *ngIf="country.selected">
<input
min="0"
onKeyPress="if(this.value.length==10) return false;"
type="number"
[(ngModel)]="country.population"
required
/>
</ng-container>
<ng-container *ngIf="!country.selected">
{{ country.population | number:'1.0':'en-US' }}
</ng-container>
</td>
<td class="w-custom-10% rounded-none text-center">
<ng-container *ngIf="country.selected">
<input
type="number"
min="0"
onKeyPress="if(this.value.length==10) return false;"
[(ngModel)]="country.area"
required
/>
</ng-container>
<ng-container *ngIf="!country.selected">
{{ country.area | number:'1.0':'en-US' }}
</ng-container>
</td> | 4de77ae25eb178051c6da381f946c2fa | {
"intermediate": 0.32749396562576294,
"beginner": 0.45463767647743225,
"expert": 0.21786841750144958
} |
21,438 | how to return
both
[{ successMessage: 'Country is successfully added!' }]
return this.http.post(`${this.apiUrl}`, data); | a3e71a6888e7961d6115ce58cbbe1c0d | {
"intermediate": 0.3497268557548523,
"beginner": 0.3482585847377777,
"expert": 0.30201461911201477
} |
21,439 | hi, we have a robot arm which can grab and release object, the robot is of in the beginning, at any point you have access to the following functions
we have a table with 3 objects couloured by red,yellow and blue
we want to pick and release this 3 objects based on what the human says, can you provide me the code? | 3d8fb70b02e9f116e7cf438cee7d8769 | {
"intermediate": 0.32295548915863037,
"beginner": 0.4450022578239441,
"expert": 0.23204226791858673
} |
21,440 | serach for id first before deleting
deleteCountry(id: any): Observable<any> {
const url = `${this.apiUrl}/${id}`;
return this.http.delete(url).pipe(map(
() => {
return { successMessage: 'Country is successfully deleted!' }
},
() => {
return { successMessage: 'Country is not successfully deleted!' }
}
));
} | 9aa92c07ff15353a8f7bab8309d9dc00 | {
"intermediate": 0.37548455595970154,
"beginner": 0.3883814215660095,
"expert": 0.23613405227661133
} |
21,441 | in python how is 'html5lib' different from ‘html5lib’ | 620d034b99077e74d8d1a8f91d1f8ccc | {
"intermediate": 0.4768410921096802,
"beginner": 0.22892557084560394,
"expert": 0.2942333221435547
} |
21,442 | so i want a multiple delete like this
deleteSelectedCountries(selectedCountryIds: number[]) {
const url = `${this.apiUrl}/delete-multiple-country`;
return this.http.delete(url, { body: selectedCountryIds });
}
but i want to do it using json server | 0d81ca47d5be5532c70fa8d2116f8868 | {
"intermediate": 0.4172605872154236,
"beginner": 0.44062161445617676,
"expert": 0.14211778342723846
} |
21,443 | how can i implement this in json servre using angular
updateMultipleRecords(data: any): Observable<any> {
const url = `${this.apiUrl}/edit-multiple-country`;
return this.http.put(url, data);
} | 9d34829fd4b79665a421b59a90a1baf1 | {
"intermediate": 0.8834065198898315,
"beginner": 0.07752697169780731,
"expert": 0.03906656801700592
} |
21,444 | Python как открыть json файл [{'ID':1,'VALUE':'Engineering'},{'ID':2,'VALUE':'Party'},{'ID':3,'VALUE':'Liberal Arts'},{'ID':4,'VALUE':'Ivy League'},{'ID':5,'VALUE':'State'}] | a56d5a8b2718bb7047fab3b50ce72f5d | {
"intermediate": 0.30689072608947754,
"beginner": 0.5046103596687317,
"expert": 0.18849892914295197
} |
21,445 | using powershell, get-content of a text file and remove all new lines, line feeds, and carriage returns. | e8e9486cf831d654ccb569544b65c093 | {
"intermediate": 0.3696368336677551,
"beginner": 0.28041401505470276,
"expert": 0.3499492108821869
} |
21,446 | i want to have 2 function in my userService
this is for json server
addCountry(data: any): Observable<any> {
return this.http.get(`${this.apiUrl}?code=${data.code}`)
.pipe(
switchMap(existingData => {
if (Object.keys(existingData).length > 0) {
return [{ errorMessage: 'Country is not successfully saved!' }];
} else {
return this.http.post(`${this.apiUrl}`, data).pipe(map(Response => {
return { successMessage: 'Country is successfully added!' }
}));
}
})
);
}
and this is for springboot java
addCountry(country: any): Observable<any> {
return this.http.post(`${this.apiUrl}/add-country`, country);
}
now i want to use them at the same time
i want to have a button in my html to switch json server or springboot java | 992bac84c2622ea9e715e3d1a989549c | {
"intermediate": 0.5062037706375122,
"beginner": 0.31313082575798035,
"expert": 0.18066538870334625
} |
21,447 | Напиши код на C++, который использует список del_a и там должна быть функция, которая удаляет равная заданому из списка без библиотеки list, а также используй using namespace std. Не используй классы | d45a227605ed726852d3f2279c16fde1 | {
"intermediate": 0.38617339730262756,
"beginner": 0.3285973072052002,
"expert": 0.28522929549217224
} |
21,448 | function checking_inputs()
function input_reshape(input_signal)
if isscalar(input_signal)
return [input]
else
return input
end
end
function inital_condition_check(rep::Repeat, input_signal)
if rep.initial_conditions == 0
rep.initial_conditions = zeros(size(input_signal))
elseif size(rep.initial_conditions) != size(input_signal)
error("Dimensions do not match")
else
return initial_conditions
end
end
function repetition_count_check()
if !isinteger(rep.repetition_count) || rep.repetition_count < 0
error("Number is not an integer or is negative")
end
end
end | 3a15ad2e06a4a667a443816ee4afc9a2 | {
"intermediate": 0.3613457977771759,
"beginner": 0.4351833760738373,
"expert": 0.2034708857536316
} |
21,449 | we have a robot arm with an hand at the end of it, we are operating in a table and we want to reconize objects in the table with a camera, the objects are blue box, yellow box, green box.
i also want a prompt with allow me to control the robot arm by voice and follow my commands, and asking me for feedback once completing the task i give by voice | 6568d0c76fb40f40df1b79d6df58698b | {
"intermediate": 0.33611196279525757,
"beginner": 0.3004016876220703,
"expert": 0.3634863793849945
} |
21,450 | public async Task<ActionResult<IEnumerable<LocationAuthority>>> GetLocationAuthority(int locationId)
{
var authorities = await _dbContext.AuthorityLocations
.Where(a => a.LocationId == locationId)
.Select( al => new{
al.LocationAuthorityId,
al.LocationId,
al.User,
al.AuthorityId,
al.CreatedDate,
al.ModifyDate,
al.UserAdd,
al.UserModify,
al.User.Username,
al.User.Authority.AuthorityName
})
.ToListAsync();
//CreatedDate = mts.CreatedDate != null ? mts.CreatedDate.Value.ToString("dd/MM/yyyy HH:mm:ss") : ""
foreach (var authority in authorities)
{
authority.CreatedDate = authority.CreatedDate?.ToLocalTime();
authority.ModifyDate = authority.ModifyDate?.ToLocalTime();
}
var jsonSettings = new JsonSerializerSettings
{
ContractResolver = new CamelCasePropertyNamesContractResolver(),
Converters = { new JsonDateTimeConverter() }
};
var json = JsonConvert.SerializeObject(authorities, jsonSettings);
return Content(json, "application/json");
}
this gives me an error like this
Property or indexer '<anonymous type: int LocationAuthorityId, int LocationId, User User, int AuthorityId, DateTime? CreatedDate, DateTime? ModifyDate, string UserAdd, string UserModify, string Username, string AuthorityName>.CreatedDate' cannot be assigned to -- it is read only | 75295018fe76a1c2a4c6f68b541c41c0 | {
"intermediate": 0.4360712170600891,
"beginner": 0.32745489478111267,
"expert": 0.2364739328622818
} |
21,451 | Write PHP/Symfony code to integrate Aplazame payment system in style of current code:
<?php
namespace BillingBundle\Controller\PaymentSystem;
use BillingBundle\Controller\PaymentController;
use BillingBundle\Entity\Payment;
use BillingBundle\Entity\PaymentMethod;
use BillingBundle\Entity\ProofOfPayments;
use BillingBundle\Handler\DonePaymentHandler;
use BillingBundle\Handler\PaymentSystem\PledgHandler;
use BillingBundle\Payum\KlarnaGateway\Action\CaptureAction;
use BillingBundle\Payum\KlarnaGateway\Action\CreateClientAction;
use BillingBundle\Payum\KlarnaGateway\DataProvider\DataProvider;
use CartBundle\Entity\Purchase;
use DateTime;
use Doctrine\ORM\EntityManagerInterface;
use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpFoundation\Request;
//https://docs.klarna.com/resources/test-environment/sample-customer-data/#spain
//https://docs.klarna.com/klarna-payments/integrate-with-klarna-payments/step-2-check-out/22-get-authorization/
//insert paymentmethods (`code`, `name`, `description`, `is_enabled`, `type`) values ('KLARNA', 'Klarna', 'Klarna payment', 1, 'CARD');
class KlarnaController extends Controller
{
public function initiatePaymentAction(Request $request)
{
/** @var CaptureAction $captureAction */
$captureAction = $this->get("pf_payment.klarna.capture");
$purchaseId = $request->request->get("purchase");
/** @var Purchase|null $purchase */
$purchase = $this->getDoctrine()->getRepository(Purchase::class)->find($purchaseId);
$response = $captureAction->initiatePayment($purchase, $request->getLocale());
return $this->json($response);
}
public function authorizePaymentAction(Request $request)
{
/** @var DataProvider $provider */
$provider = $this->get("billing.payum.klarna_gateway.data_provider.data_provider");
$purchaseId = $request->request->get("purchase");
/** @var Purchase $purchase */
$purchase = $this->getDoctrine()->getRepository(Purchase::class)->find($purchaseId);
$payment = $provider->createPayment($purchase);
$this->getDoctrine()->getManager()->flush();
return $this->json([
"purchaseData" => $provider->getAuthorizePaymentData($purchase, $request->getLocale()),
"paymentId" => $payment->getId(),
]);
}
public function failPaymentAction(Request $request, $id)
{
/** @var DataProvider $provider */
$provider = $this->get("billing.payum.klarna_gateway.data_provider.data_provider");
$paymentId = $request->request->get("paymentId");
$klarnaResponse = $request->request->get("klarnaResponse", []);
/** @var Purchase $purchase */
$purchase = $this->getDoctrine()->getRepository(Purchase::class)->find($id);
$provider->saveError($purchase, $paymentId, $klarnaResponse);
if(!$paymentId){
$this->get('session')->getFlashBag()->add('error',
$this->get('translator')->trans('text.problemPayment', [], 'payment'));
}
return $this->json([]);
}
public function createOrderAction(Request $request, $id)
{
/** @var CaptureAction $captureAction */
$captureAction = $this->get("pf_payment.klarna.capture");
$klarnaResponse = $request->request->get("klarnaResponse", []);
if(!is_array($klarnaResponse) || !isset($klarnaResponse["authorization_token"])){
return $this->json(["redirectUrl" => $this->generateUrl("billing.payment_system.redirect3ds.exception_notification", ["id" => $id])]);
}
/** @var Payment $payment */
$payment = $this->getDoctrine()->getRepository(Payment::class)->find($id);
$response = $captureAction->createOrder($payment, $klarnaResponse, $request->getLocale());
if(isset($response["error"])){
return $this->json(["redirectUrl" => $this->generateUrl("billing.payment_system.redirect3ds.exception_notification", ["id" => $id])]);
}
elseif(isset($response["redirectUrl"])) {
return $this->json(["redirectUrl" => $response["redirectUrl"]]);
}
return $this->json(["redirectUrl" => $this->generateUrl("billing.payment_system.redirect3ds.success_notification", ["id" => $id])]);
}
public function confirmationPaymentAction(Request $request, $id)
{
$klarnaResponse = $request->request->all();
/** @var Payment $payment */
$payment = $this->getDoctrine()->getRepository(Payment::class)->find($id);
$extra = $payment->getParsedExtra();
$extra["klarna_confirmation"] = $klarnaResponse;
$payment->setExtra(json_encode($extra));
$this->getDoctrine()->getManager()->flush();
return $this->redirectToRoute("billing.payment_system.redirect3ds.success_notification", ["id" => $id]);
}
public function webhookNotificationsAction(Request $request)
{
$allData = $request->request->all();
if(!is_array($allData) || !isset($allData["event_type"]) || $allData["event_type"] !== "order.created"){
return $this->json(["success" => 1]);
}
/** @var EntityManagerInterface $em */
$em = $this->getDoctrine()->getManager();
$proof = new ProofOfPayments();
$proof->setOrderId($allData["order"]["merchant_reference1"]);
$proof->setStatus($allData["event_type"]);
$proof->setDate(new DateTime());
$proof->setMetaData(json_encode($allData));
$proof->setPaymentMethodCode(PaymentMethod::KLARNA_CODE);
$em->persist($proof);
$em->flush();
return $this->json(["success" => 2]);
}
public function registerClientAction(Request $request)
{
$clientData = $request->request->all();
/** @var CreateClientAction $createService */
$createService = $this->get("pf_payment.klarna.create_client");
try {
if(!$createService->isValidData($clientData)){
return $this->json(["success" => false]);
}
$createService->registerClient($clientData, $request->getLocale());
}
catch (\Exception $exception){
return $this->json(["success" => false]);
}
return $this->json([
"success" => true,
"redirectUrl" => $this->generateUrl("cart_shipping"),
]);
}
} | 94ea4d0d7513065c459657ef64385a71 | {
"intermediate": 0.46667957305908203,
"beginner": 0.3461238741874695,
"expert": 0.1871965527534485
} |
21,452 | Write PHP/Symfony code to integrate Aplazame payment system. Use separated controller, .js script file and .html.twig for view | 8d9bef0f51faa852b992fe1fcf65c244 | {
"intermediate": 0.6028510332107544,
"beginner": 0.20770767331123352,
"expert": 0.18944133818149567
} |
21,453 | Корректный ли код, правильно ли вызывается метод или что-то можно исправить?
@Override
public boolean checkCard2cardLimit(FraudCheckRequest request, PayLimitType payLimitType) {
LocalDateTime truncDateDay = LocalDateTime.now().truncatedTo(ChronoUnit.DAYS);
LocalDateTime truncDateMonth = truncDateDay.withDayOfMonth(1);
LocalDateTime thresholdDate = PayLimitType.DAILY.equals(payLimitType) ? truncDateDay : truncDateMonth;
log.info("[checkCard2cardLimit] thresholdDate = {}", thresholdDate);
String panHashCode = md5Hex(request.getPan());
log.info("[checkCard2cardLimit] panHashCode = {}", panHashCode);
checkCard2cardLimitBothCard(request, panHashCode, thresholdDate, "SENDER", payLimitType);
String pan2HashCode = md5Hex(request.getPan2());
log.info("[checkCard2cardLimit] pan2HashCode = {}", pan2HashCode);
checkCard2cardLimitBothCard(request, pan2HashCode, thresholdDate, "RECIPIENT", payLimitType);
return true;
}
private boolean checkCard2cardLimitBothCard(FraudCheckRequest request, String panHashCode, LocalDateTime thresholdDate, String cardType, PayLimitType payLimitType) {
List<BusinessOperationTurnover> turnoverList = dataService.selectFromWhere(QBusinessOperationTurnover.businessOperationTurnover, QBusinessOperationTurnover.class, p -> p.panHash.eq(panHashCode).
and(p.processingDate.goe(thresholdDate)).and(p.cardType.eq(cardType))).fetch();
log.info("[checkCard2cardLimit] turnoverList = {}", new Gson().toJson(turnoverList));
BigDecimal previousAmount = turnoverList.stream().map(BusinessOperationTurnover::getSumAmount).reduce(BigDecimal.ZERO, BigDecimal::add);
log.info("[checkCard2cardLimit] previousAmount = {}", previousAmount);
BigDecimal currentAmount = previousAmount.add(request.getAmount());
log.info("[checkCard2cardLimit] currentAmount = {}", currentAmount);
BigDecimal limit = PayLimitType.DAILY.equals(payLimitType) ? getTransferLimit(NcsProperty.KEY_CARD2CARD_DAY_LIMIT) : getTransferLimit(NcsProperty.KEY_CARD2CARD_MONTH_LIMIT);
log.info("[checkCard2cardLimit] limit = {}", limit);
if (limit == null) {
log.info("[checkCard2cardLimit] limit value = null, returning true");
return true;
}
return currentAmount.compareTo(limit) < 1;
} | 5f51db669440137600017084e7f23624 | {
"intermediate": 0.3082798421382904,
"beginner": 0.48065420985221863,
"expert": 0.21106593310832977
} |
21,454 | function checking_inputs(rep::Repeat)
function input_reshape(rep::Repeat, input_signal)
if isscalar(input_signal)
return [input]
else
return input
end
end
function inital_condition_check(rep::Repeat, input_signal)
if rep.initial_conditions == 0
rep.initial_conditions = zeros(size(input_signal))
elseif size(rep.initial_conditions) != size(input_signal)
error("Dimensions do not match")
else
return initial_conditions
end
end
function repetition_count_check(rep::Repeat)
if !isinteger(rep.repetition_count) || rep.repetition_count < 0
error("Number is not an integer or is negative")
end
end
end
что здесь не так? | 9260f18cf83b1c8c05f08b60f94d1e88 | {
"intermediate": 0.33379197120666504,
"beginner": 0.38554760813713074,
"expert": 0.280660480260849
} |
21,455 | Hi | 857123beffe1e1bbcf7d412e8cbfb5f3 | {
"intermediate": 0.33010533452033997,
"beginner": 0.26984941959381104,
"expert": 0.400045245885849
} |
21,456 | Create postgres view on this table for me
SELECT
r.date AS "date",
r.traffic_channel_id AS "traffic_channel_id",
r.final AS "final",
json_agg(
jsonb_build_object(
'ad_groups', (
SELECT
jsonb_agg(
jsonb_build_object(
'ad_group_id', rag.ad_group_id,
'ads', (
SELECT
jsonb_agg(
jsonb_build_object(
'ad_id', ra.ad_id,
'adgroupname', ra.ad_group_name,
'campaignname', ra.campaign_name,
'date', ra.date,
'totalspent', ra.total_spent,
'totalclick', ra.total_click,
'totalimpressions', ra.total_impressions,
'revenue', ra.revenue,
'estimate', ra.estimate,
'feedsource', ra.feed_source,
'adgroupid', ra.ad_group_id,
'clickdetail', ra.click_detail
)
)
FROM report_ads ra
WHERE ra.report_adGroups_Id = rag.id
)
)
)
FROM report_adgroups rag
WHERE rag.report_details_id = rd.id
),
'campaignid', rd.campaign_id,
'funneltemplateid', rd.funnel_template_id,
'campaignidrt', rd.campaign_id_rt
)
) FILTER (WHERE rd.id IS NOT NULL) AS "details",
(
SELECT
jsonb_agg(
jsonb_build_object(
'campaigns', rd.campaigns,
'domain_id', rd.domain_id,
'name', rd.name,
'weight', rd.weight,
'feed_source', rd.feed_source
)
)
FROM report_domains rd
WHERE rd.report_id = r.id
) AS "domains",
r.compressed_report AS "compressed_report",
r.created_at AS "created_at",
r.updated_at AS "updated_at"
FROM reports r
LEFT JOIN report_details rd ON rd.report_id = r.id
--WHERE r.date > '2023-08-01' -- AND r.traffic_channel_id = '1985930498438577'
GROUP BY r.id,r.traffic_channel_id,r.date | 0154f170e1be64766c3f756e7ee48804 | {
"intermediate": 0.35329511761665344,
"beginner": 0.46609246730804443,
"expert": 0.1806124895811081
} |
21,457 | write code to delete a specific column in .csv file with utf-8 coding and delete dublicate rows in other column. .csv file got 2 columns | bc4499cbfdd34783bfd549ab14db5464 | {
"intermediate": 0.38798093795776367,
"beginner": 0.20808245241641998,
"expert": 0.40393662452697754
} |
21,458 | df = pd.read_csv('sda_3.0_54_ab_data_cummulative.csv') как еще можно прописать путь к файлу? чтобы исправить ошибку FileNotFoundError: [Errno 2] No such file or directory: 'sda_3.0_54_ab_data_cummulative.csv' | 4fe9c2bca1bb3035abf66c3b12bd909c | {
"intermediate": 0.4243439733982086,
"beginner": 0.2673443555831909,
"expert": 0.3083116412162781
} |
21,459 | Есть идея приложения для Android, но программировать я совсем не умею. Приложение, которое после сканирования штрих-кода продукта, находило бы по этому штрих-коду информацию о его составе, и находила все вредные добавки в нём, сообщая о них пользователю. Нужно использовать Android Studio и Kotlin. Я не могу написать сам ни строчки кода, поэтому я ты должен будешь давать последовательные указания, куда нажать и что написать, а я буду говорить тебе, что получается. Присылай файлы кода целиком, чтобы я только вставил их. Объясняй так просто, словно мне 10 лет. Мы будем использовать OpenFoodFactsApi. Нужно написать пошаговую инструкцию, чтобы человек не владеющий программированием вообще смог с нуля создать и завершить проект. Ты должен присылать текст получающихся фалов целиком, и ты также должен сделать интерфейс на базе xml, поскольку я это делать не умею. Работать приложение должно примерно так:
Кнопка "Scan", при нажатии на которую открывается интерфейс для сканирования штрих-кода продукта. После успешного сканирования штрих-кода должна открыться страница с информацией о продукте, а также вредными добавками типа E105 и тому подобные, выделенные красным цветом. Только вредные добавки должны быть выделены красным, а полезные должны быть выделены зелёным. Если в результате сканирования не удалось определить товар, то выдать сообщение об этом. | 920a9580cee03023104c374ae1bf9fd8 | {
"intermediate": 0.34089094400405884,
"beginner": 0.3925881087779999,
"expert": 0.2665208876132965
} |
21,460 | Generate materialized view for the below query
SELECT
r.date AS "date",
r.traffic_channel_id AS "traffic_channel_id",
r.final AS "final",
json_agg(
jsonb_build_object(
'ad_groups', (
SELECT
jsonb_agg(
jsonb_build_object(
'ad_group_id', rag.ad_group_id,
'ads', (
SELECT
jsonb_agg(
jsonb_build_object(
'ad_id', ra.ad_id,
'adgroupname', ra.ad_group_name,
'campaignname', ra.campaign_name,
'date', ra.date,
'totalspent', ra.total_spent,
'totalclick', ra.total_click,
'totalimpressions', ra.total_impressions,
'revenue', ra.revenue,
'estimate', ra.estimate,
'feedsource', ra.feed_source,
'adgroupid', ra.ad_group_id,
'clickdetail', ra.click_detail
)
)
FROM report_ads ra
WHERE ra.report_adGroups_Id = rag.id
)
)
)
FROM report_adgroups rag
WHERE rag.report_details_id = rd.id
),
'campaignid', rd.campaign_id,
'funneltemplateid', rd.funnel_template_id,
'campaignidrt', rd.campaign_id_rt
)
) FILTER (WHERE rd.id IS NOT NULL) AS "details",
(
SELECT
jsonb_agg(
jsonb_build_object(
'campaigns', rd.campaigns,
'domain_id', rd.domain_id,
'name', rd.name,
'weight', rd.weight,
'feed_source', rd.feed_source
)
)
FROM report_domains rd
WHERE rd.report_id = r.id
) AS "domains",
r.compressed_report AS "compressed_report",
r.created_at AS "created_at",
r.updated_at AS "updated_at"
FROM reports r
LEFT JOIN report_details rd ON rd.report_id = r.id
--WHERE r.date > '2023-08-01' -- AND r.traffic_channel_id = '1985930498438577'
GROUP BY r.id,r.traffic_channel_id,r.date
--ORDER BY r.created_at DESC
--LIMIT 1; | ff8942fafeb503c17a25a03f84f7b784 | {
"intermediate": 0.3432348072528839,
"beginner": 0.49240532517433167,
"expert": 0.16435988247394562
} |
21,461 | if num = c(1,2) how to get the max value in num | bceeb628fb9271ad171cfeeaf6f42996 | {
"intermediate": 0.32951927185058594,
"beginner": 0.29653093218803406,
"expert": 0.3739498257637024
} |
21,462 | 整理代码的排版格式#include
using namespace std;
#define MaxSize 50
typedef int T;
//顺序栈
class SeqStack {
private:
T *data; //栈使用内存首地址
int top; //栈顶指针
int RSize; //栈分配元素个数
void overflow();
public:
SeqStack();
~SeqStack();
void push(T x);
bool pop(T &e);
bool getTop(T &e);
bool isEmpty();
bool isFull();
int getSize();
void makeEmpty();
void print();
};
SeqStack::SeqStack()
{
data = new T[MaxSize];
top = -1;
}
SeqStack::~SeqStack()
{
delete[] data;
}
void SeqStack::overflow()
{
if (data != NULL)
{
T *newArray = new T[RSize + 20];
for (int i = 0; i <= top; i++)
{
newArray[i] = data[i];
}
delete[] data;
data = newArray;
RSize += 20;
}
}
void SeqStack::push(T x)
{
if (top == MaxSize - 1)
{
overflow();
}
top++;
data[top] = x;
}
bool SeqStack::pop(T &x)
{
if (isEmpty())
{
return false;
}
x = data[top];
top–;
return true;
}
bool SeqStack::getTop(T &x)
{
if (isEmpty())
{
return false;
}
x = data[top];
return true;
}
bool SeqStack::isEmpty()
{
return top == -1;
}
bool SeqStack::isFull()
{
return top == MaxSize - 1;
}
int SeqStack::getSize()
{
return top + 1;
}
void SeqStack::makeEmpty()
{
top = -1;
}
void SeqStack::print()
{
for (int i = top; i >= 0; i–)
{
cout << data[i] << " ";
}
cout << endl;
}
void menu()
{
cout << “1.进栈” << endl;
cout << “2.出栈” << endl;
cout << “3.获取栈顶元素” << endl;
cout << “4.栈置空” << endl;
cout << “5.由栈顶到栈底依次输出栈元素” << endl;
cout << “6.退出” << endl;
}
void function(int num, SeqStack *ss)
{
switch (num)
{
int x;
case 1:
{
cout << “请输入要进栈的元素:”;
cin >> x;
ss->push(x);
cout << “进栈成功!” << endl;
break;
}
case 2:
{
if (ss->pop(x))
{
cout << “出栈成功,出栈的元素为:” << x << endl;
}
else
{
cout << “出栈失败,栈为空!” << endl;
}
break;
}
case 3:
{
if (ss->getTop(x))
{
cout << “栈顶元素为:” << x << endl;
}
else
{
cout << “栈为空!” << endl;
}
break;
}
case 4:
{
ss->makeEmpty();
cout << “栈已置空!” << endl;
break;
}
case 5:
{
ss->print();
break;
}
default:
{
exit(0);
}
}
}
int main(int argc, char argv[])
{
SeqStack *ss = new SeqStack;
int num;
while (true)
{
menu();
cin >> num;
function(num, ss);
}
delete ss;
return 0;
} | b55c84cf1238da61761e80c7951ac860 | {
"intermediate": 0.2944619953632355,
"beginner": 0.5285298228263855,
"expert": 0.1770082265138626
} |
21,463 | I have a table with columns Date, Customer, SKU, end_date, Type, Comment. I need a function to find rows where type = X, Comment is empty and Date = end_date for any not empty row for the same Customer and SKU. Write Python script | d0f79338af24fc36a73ba36164a865ba | {
"intermediate": 0.3601493239402771,
"beginner": 0.3353620171546936,
"expert": 0.3044886887073517
} |
21,464 | I have a table with columns Date, Customer, SKU, end_date, Type, Comment. Type can take values A, B, C, and D. If type is not equal A, the values in end_date and Comment are empty. The other values are not blank. I need a function to find rows where type = B, Comment is empty and Date = end_date for any row for the same Customer and SKU where type = A. Write Python script | 28d213b5e6f384174e96065dbeb1cb71 | {
"intermediate": 0.3509795367717743,
"beginner": 0.3050258755683899,
"expert": 0.3439945876598358
} |
21,465 | create workflow which picks up all active subscriptions which have active plan "NBN50" and ammends the price(85$ instead of current 75$) in zuora | 3efb02411a99e463d7a1196dad891ef8 | {
"intermediate": 0.46811652183532715,
"beginner": 0.11698441207408905,
"expert": 0.414899080991745
} |
21,466 | dose=c(300,100,100,50) anum=c(1,1,2,2) how to use loop statement to achieve amt=c(rep(300,1)),amt=c(rep(100,1)),amt=c(rep(100,2)),atm=c(rep(50,2)) in R | bc5703fee04f88c9d3c3d6fa256d643d | {
"intermediate": 0.11840757727622986,
"beginner": 0.7907824516296387,
"expert": 0.09081003069877625
} |
21,467 | amt[[1]]= c(rep(300,2)), amt[[2]] = c(rep(100,1)),amt[[3]]=c(rep(100,2)),am[[4]]=c(rep(50,1)) how to use loop statement achieve in R | 34a6853bbe02aa3a07a4ff80514e0b2b | {
"intermediate": 0.11858265846967697,
"beginner": 0.8098273277282715,
"expert": 0.07159002870321274
} |
21,468 | How implement own latent node in unreal engine c++
for example please use simple http get request | a6a3077a6a0075bc0626592b6c1ffff7 | {
"intermediate": 0.4741763174533844,
"beginner": 0.11592582613229752,
"expert": 0.40989789366722107
} |
21,469 | How implement own latent blueprint node in unreal engine c++
for example please use simple http get request
the node should have two output exec pins, one for when request is completed successfully another for fail request | ac5f9d4216280e830aeaae10688a80b2 | {
"intermediate": 0.576215922832489,
"beginner": 0.12906543910503387,
"expert": 0.29471859335899353
} |
21,470 | ERROR: MethodError: no method matching inital_condition_check(::Matrix{Float64}, ::Matrix{Int64})
что значит ошибка? | a8849e8786cb51ceb3ef2eea970d573e | {
"intermediate": 0.31722092628479004,
"beginner": 0.3080829977989197,
"expert": 0.37469613552093506
} |
21,471 | I have a table with columns Date, Customer, SKU, start_date, end_date, Type, Comment. Date falls in the range between start_date and end_date. The values in column Type can take values A and B. The values in start_date, end_date and Comment are not empty only if Type = A. I need a function to find rows where type = B, the value in column Comment is empty and Date = end_date among rows for the same Customer and SKU and type = A. Write Python script and provide a numeric example. | 486d46d04bb581f9abff845189db1f40 | {
"intermediate": 0.28149256110191345,
"beginner": 0.41335365176200867,
"expert": 0.3051537275314331
} |
21,472 | when dose=c(300), num=c(2) amt=c(rep(300,2)) but print the result is null, why its result is null | 73b237eb3ad7e87f62e2f7beba592450 | {
"intermediate": 0.2613455653190613,
"beginner": 0.534710168838501,
"expert": 0.20394422113895416
} |
21,473 | nlohmann json [{"life":1425,"class_id":1001,"passiveSkillId":11001,"defence":600,"type":101},{"life":1800,"class_id":1002,"passiveSkillId":12001,"defence":455,"type":101},{"life":2000,"class_id":1003,"passiveSkillId":13001,"defence":400,"type":101}] 获取里面的class_id值 | f7f56500ef0e5242f21c7609514060aa | {
"intermediate": 0.30189308524131775,
"beginner": 0.30597904324531555,
"expert": 0.39212778210639954
} |
21,474 | sub <- c(1, 1, 2, 2)
trtn <- c(2, 1, 2, 1) and sub,trtn belong to data trt, how to calcualte totn=2+1 for each unique sub in R | 1b7b7139717413319bf3a61de9faa69c | {
"intermediate": 0.33144405484199524,
"beginner": 0.2632458806037903,
"expert": 0.40531009435653687
} |
21,475 | How implement own latent node in unreal engine c++
for example please use simple http get request | f4d75f2db718bf129b71c398d9ad6131 | {
"intermediate": 0.4741763174533844,
"beginner": 0.11592582613229752,
"expert": 0.40989789366722107
} |
21,476 | how can I rewrite the code below to reduce memory usage as much as possible in databricks? df_improvement_view = df_X_plus_5_status_quo.drop(F.col('VIEW'))
while df_improvements_X_plus_5.count() > 0:
# view without duplicates
df_improvements_X_plus_5_temp_view = df_improvements_X_plus_5 \
.orderBy(['Unique_Concat_Value', 'IMPR_DATE']).dropDuplicates(subset=['Unique_Concat_Value'])
# Merge improved view with status quo df
df_X_plus_5_with_improvements = df_improvement_view \
.join(df_improvements_X_plus_5_temp_view, on=['Unique_Concat_Value'], how='left')
if df_X_plus_5_with_improvements.count() == df_improvement_view.count(): # Continue
# check columns for improved values -> if value is entered, keep value, else take the one from the standard view
temp = df_X_plus_5_with_improvements \
.withColumn('ORGANIZATION_CODE',
F.when((F.col('IMPR_Organization_Code').isNull()) | (F.isnan(F.col('IMPR_Organization_Code'))) |
(F.col('IMPR_Organization_Code') == 0) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('ORGANIZATION_CODE'))
.otherwise(F.col('IMPR_Organization_Code'))
) \
.withColumn('TESTER_CODE',
F.when((F.col('IMPR_TESTER_CODE').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('TESTER_CODE'))
.otherwise(F.col('IMPR_TESTER_CODE'))
) \
.withColumn('TESTER_DESCRIPTION',
F.when((F.col('IMPR_TESTER_DESCRIPTION').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('TESTER_DESCRIPTION'))
.otherwise(F.col('IMPR_TESTER_DESCRIPTION'))
) \
.withColumn('RESOURCE_CODE',
F.when((F.col('IMPR_RESOURCE_CODE').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('RESOURCE_CODE'))
.otherwise(F.col('IMPR_RESOURCE_CODE'))
) \
.withColumn('RESOURCE_DESCRIPTION',
F.when((F.col('IMPR_RESOURCE_DESCRIPTION').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')),
F.col('RESOURCE_DESCRIPTION'))
.otherwise(F.col('IMPR_RESOURCE_DESCRIPTION'))
) \
.withColumn('PLANNING_YIELD',
F.when((F.col('IMPR_PLANNING_YIELD').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('PLANNING_YIELD'))
.otherwise(F.col('IMPR_PLANNING_YIELD'))
) \
.withColumn('REV_CUM_PLANNING_YIELD',
F.when((F.col('IMPR_REV_CUM_PLANNING_YIELD').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')),
F.col('REV_CUM_PLANNING_YIELD'))
.otherwise(F.col('IMPR_REV_CUM_PLANNING_YIELD'))
) \
.withColumn('EXEC_TIME',
F.when((F.col('IMPR_EXEC_TIME').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('EXEC_TIME'))
.otherwise(F.col('IMPR_EXEC_TIME'))
) \
.withColumn('SETUP_TIME',
F.when((F.col('IMPR_SETUP_TIME').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('SETUP_TIME'))
.otherwise(F.col('IMPR_SETUP_TIME'))
) \
.withColumn('INDEX_TIME',
F.when((F.col('IMPR_INDEX_TIME').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('INDEX_TIME'))
.otherwise(F.col('IMPR_INDEX_TIME'))
) \
.withColumn('PARALLEL_FACTOR',
F.when((F.col('IMPR_PARALLEL_FACTOR').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('PARALLEL_FACTOR'))
.otherwise(F.col('IMPR_PARALLEL_FACTOR'))
) \
.withColumn('RETEST_FACTOR',
F.when((F.col('IMPR_RETEST_FACTOR').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('RETEST_FACTOR'))
.otherwise(F.col('IMPR_RETEST_FACTOR'))
) \
.withColumn('SAMPLE_RATE',
F.when((F.col('IMPR_SAMPLE_RATE').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('SAMPLE_RATE'))
.otherwise(F.col('IMPR_SAMPLE_RATE'))
) \
.withColumn('PERF_FACTOR',
F.when((F.col('IMPR_PERFORMANCE').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('PERF_FACTOR'))
.otherwise(F.col('IMPR_PERFORMANCE'))
)
# Recalculate below
temp = temp \
.withColumn('CALC_TEST_TIME_DEVICE',
(F.col('SETUP_TIME') + F.col('LEAD_TIME_LOT_SIZE') * (1 + F.col('RETEST_FACTOR')) * F.col('SAMPLE_RATE') *
((F.col('EXEC_TIME') + F.col('INDEX_TIME'))/F.col('PARALLEL_FACTOR')))/F.col('LEAD_TIME_LOT_SIZE')
) \
.withColumn('CALC_TEST_TIME_LOT',
(F.col('SETUP_TIME') + F.col('LEAD_TIME_LOT_SIZE') * (1 + F.col('RETEST_FACTOR')) * F.col('SAMPLE_RATE') *
((F.col('EXEC_TIME') + F.col('INDEX_TIME'))/F.col('PARALLEL_FACTOR')))/3600
) \
.withColumn('CALC_THROUGHPUT', 3600 / F.col('CALC_TEST_TIME_DEVICE')) \
.withColumn('CALC_TEST_TIME_DEVICE_PERF', F.col('CALC_TEST_TIME_DEVICE')/F.col('PERF_FACTOR')) \
.withColumn('CALC_TEST_TIME_LOT_PERF', F.col('CALC_TEST_TIME_LOT')/F.col('PERF_FACTOR')) \
.withColumn('CALC_THROUGHPUT_PERF', F.col('CALC_THROUGHPUT') * F.col('PERF_FACTOR'))
# when resoure code changes from BACKEND to HANDLER, the resource group needs to be updated as well
df_X_plus_5_with_improvements = temp \
.withColumn('RESOURCE_GROUP',
F.when((F.col('IMPR_RESOURCE_CODE').isNull()) | (F.col('PERIOD') < F.col('IMPR_DATE')), F.col('RESOURCE_GROUP'))
.when((F.col('IMPR_RESOURCE_CODE').substr(0,2) == 'P-') & (F.col('PERIOD') >= F.col('IMPR_DATE')), F.lit('PROBER'))
.when((F.col('IMPR_RESOURCE_CODE').substr(0,2) == 'B-') & (F.col('PERIOD') >= F.col('IMPR_DATE')), F.lit('BACKEND'))
.when((F.col('IMPR_RESOURCE_CODE').substr(0,2) == 'C-') & (F.col('PERIOD') >= F.col('IMPR_DATE')), F.lit('COMBI FT'))
.when((F.col('IMPR_RESOURCE_CODE').substr(0,2) == 'H-') & (F.col('PERIOD') >= F.col('IMPR_DATE')), F.lit('HANDLER'))
.when((F.col('IMPR_RESOURCE_CODE').substr(0,2) == 'M-') & (F.col('PERIOD') >= F.col('IMPR_DATE')), F.lit('HANDLER'))
.otherwise(F.col('RESOURCE_GROUP'))
)
# Add column with the view (Status Quo vs Improvements)
df_improvement_view = df_X_plus_5_with_improvements.withColumn('VIEW', F.lit('Improvements'))
# drop the columns that were joined from the IMPALA view as the columns will be added again if there are duplicates
# (naming should remain the same to have a succesfull loop)
col_to_drop = ('IMPR_Organization_Code', 'IMPR_RESOURCE_CODE', 'IMPR_RESOURCE_DESCRIPTION', 'IMPR_TESTER_CODE',
'IMPR_TESTER_DESCRIPTION', 'IMPR_PLANNING_YIELD', 'IMPR_REV_CUM_PLANNING_YIELD', 'IMPR_EXEC_TIME', 'IMPR_SETUP_TIME',
'IMPR_INDEX_TIME', 'IMPR_PARALLEL_FACTOR', 'IMPR_RETEST_FACTOR', 'IMPR_SAMPLE_RATE', 'IMPR_PERFORMANCE', 'IMPR_DATE',
'IMPR_REFERENCE', 'IMPR_STATUS', 'COMMENT')
df_improvement_view = df_improvement_view.drop(*col_to_drop)
else:
raise Exception("ERROR in merge. Qty of lines after the merge is not equal the Qty of lines from before the merge")
# view with duplicates ONLY!
df_improvements_X_plus_5 = df_improvements_X_plus_5.subtract(df_improvements_X_plus_5_temp_view) | 93eff3a0f759787fc12b0249dc8a3a52 | {
"intermediate": 0.3892478346824646,
"beginner": 0.39894458651542664,
"expert": 0.21180754899978638
} |
21,477 | if n = c(1,1,2,2) and trt=c(300,100,100,50), ntrt=c(2,1,2,1) assume when n change the treatment group changed, and r1<-new_regimen(amt=c(rep(300,2),rep(100,1)) r2<-new_regimen(amt=c(rep(100,2),rep(50,1)) how to generate r[i] based on loop statement in R | e6320376900ec176c3803ff90c5372ef | {
"intermediate": 0.18656224012374878,
"beginner": 0.6291377544403076,
"expert": 0.1843000203371048
} |
21,478 | I want to code a tic tac toe app with python | a97b45e4d5d57dd4ea5310d080996505 | {
"intermediate": 0.3502672612667084,
"beginner": 0.37236228585243225,
"expert": 0.27737048268318176
} |
21,479 | j'ai cette erreur "vérifie la fonction fulfillRandomWordsAndCheck
1) devrait générer des mots aléatoires correctement
Events emitted during test:
---------------------------
[object Object].RequestId(
gameId: 0 (type: uint256),
requestId: 1 (type: uint256)
)
[object Object].WordGenerated(
randomWord: 'immuable' (type: string)
)
0 passing (796ms)
1 failing
1) Contract: Penduel
FONCTION POUR FOURNIR LE MOT ALEATOIRE
vérifie la fonction fulfillRandomWordsAndCheck
devrait générer des mots aléatoires correctement:
AssertionError: expected 1 to be an instance of BN or string" les fonctions " function fulfillRandomWords(uint256 _requestId, uint256[] memory randomWords) internal override {
gameId = RequestIds[_requestId];
string[] memory generatedWords = new string[](randomWords.length);
for (uint256 i = 0; i < randomWords.length; i++) {
require(randomWords[i] < wordList.length, "invalid word");
generatedWords[i] = wordList[randomWords[i]];
}
currentWord = generatedWords[randomWords.length - 1];
}
function fulfillRandomWordsAndCheck(uint256 _requestId, uint256[] memory randomWords) public {
gameId = getGameId();
fulfillRandomWords(_requestId, randomWords);
require(randomWords.length > 0, "no random words");
emit RequestId(gameId, _requestId);
state = State.wordGenerated;
emit WordGenerated(currentWord);
}" le test " it("devrait générer des mots aléatoires correctement", async () => {
const _requestId = 1;
const randomWords = [2, 4, 9];
const gameId = 1;
await penduelInstance.initWordList();
const receipt = await penduelInstance.fulfillRandomWordsAndCheck(_requestId, randomWords);
expectEvent(receipt, "RequestId", {
gameId: gameId,
requestId: _requestId
});
const updateGameState = await penduelInstance.state();
assert.equal(updateGameState, 3, "L'état devrait être wordGenerated");
for (let i = 0; i < randomWords.length; i++) {
const currentWord = await penduelInstance.currentWord(); // Récupère le mot actuel
assert.equal(currentWord, wordList[randomWords[i]], "Le mot actuel généré est incorrect");
}
}); " A savoir : "uint256 gameId = 0;" cra il est incrémenté dans la fonction createGame" comment corriger l'erreur ? | 9ffd53f82fd7ebc699ad03378d52f93e | {
"intermediate": 0.3168158531188965,
"beginner": 0.47323980927467346,
"expert": 0.20994429290294647
} |
21,480 | function repetition_count_check(rep::Repeat)
if !isinteger(rep.repetition_count) || rep.repetition_count < 0
error("Number is not an integer or is negative")
else
return rep.repetition_count
end
end | a8b3db42acd587b6e3bfd4ab88974a61 | {
"intermediate": 0.3134361505508423,
"beginner": 0.4875110983848572,
"expert": 0.19905276596546173
} |
21,481 | if No_TRT <- (2,1,2,1) dose <-(300,100,100,50) how to generate amt (i)=c(rep(300,2)) in R | 4db6e907f1aadc2fc666b04e0fafd728 | {
"intermediate": 0.2473965436220169,
"beginner": 0.37162700295448303,
"expert": 0.38097649812698364
} |
21,482 | if atm <- (2,2) how to decide the value in this vector are same or not in R | ab9f00e798d8c55215b3731665e5cecb | {
"intermediate": 0.3131764233112335,
"beginner": 0.1933552771806717,
"expert": 0.4934682846069336
} |
21,483 | for (i in 1:namt[1]) {
amt[[i]] <- c(rep(sub_trt2$dose[[i]],sub_trt2$No_TRT[[i]]),rep(sub_trt2$dose[[i+1]],sub_trt2$No_TRT[[i+1]]))
}
for (i in 1:namt[2]) {
amt[[i]] <- c(rep(sub_trt2$dose[[i]],sub_trt2$No_TRT[[i]]),rep(sub_trt2$dose[[i+1]],sub_trt2$No_TRT[[i+1]]))
}how combine these two statements together use if statement | f0fe4a57109400de23cc1dfb34cf9446 | {
"intermediate": 0.22125272452831268,
"beginner": 0.6402924656867981,
"expert": 0.13845473527908325
} |
21,484 | how do i write a script in C# unity where it replaces the cursor with a new image? | 928f6edb30005470ba91be24cdeba194 | {
"intermediate": 0.5098139047622681,
"beginner": 0.2040812075138092,
"expert": 0.28610482811927795
} |
21,485 | def forward(
self,
hidden_states: torch.Tensor,
attention_mask: Optional[torch.Tensor] = None,
position_ids: Optional[torch.LongTensor] = None,
past_key_value: Optional[Tuple[torch.Tensor]] = None,
output_attentions: Optional[bool] = False,
use_cache: Optional[bool] = False,
padding_mask: Optional[torch.LongTensor] = None,
я могу сюда добавить *args, **kwargs?
) -> Tuple[torch.FloatTensor, Optional[Tuple[torch.FloatTensor, torch.FloatTensor]]]: | 61a5ac82858462d4b0542622d5843d4d | {
"intermediate": 0.2907603085041046,
"beginner": 0.33354800939559937,
"expert": 0.37569165229797363
} |
21,486 | Write a Blender 2.7 script to calculate the average model of a series of OBJs | a9cba711f633dfd3a3ab4cd171392185 | {
"intermediate": 0.31044384837150574,
"beginner": 0.17636029422283173,
"expert": 0.5131958723068237
} |
21,487 | улучши мой код на php
if ($currency == "BYN.") {
$buttons = [
[
$telegram->InlineKeyboardButton("✅ Успешно + иксы", "xSuccess:" . $order_id),
$telegram->InlineKeyboardButton("❇️ Успешно (без иксов)", "success:" . $order_id),
],
[
$telegram->InlineKeyboardButton("♻️ Иксы (без успешно)", "xWithoutSuccess:" . $order_id),
$telegram->InlineKeyboardButton("❌ Ошибка", "error:" . $order_id),
],
[
$telegram->InlineKeyboardButton("🎫 Генерация билета", "generateTicket:" . $order_id),
],
];
} | b3bf9f773f0f9f538e7087638eade78a | {
"intermediate": 0.32047685980796814,
"beginner": 0.39249658584594727,
"expert": 0.2870265245437622
} |
21,488 | write me low level interia account creation code in C# | e2d0773399f328a20d8334bdf719b1de | {
"intermediate": 0.33546197414398193,
"beginner": 0.39589136838912964,
"expert": 0.26864662766456604
} |
21,489 | how can i download NIFTY index stock data python. give me code | 1291192be08f9f4ca82facf564ffd02a | {
"intermediate": 0.506202757358551,
"beginner": 0.18064850568771362,
"expert": 0.31314876675605774
} |
21,490 | can you give me python code for importing a sentence similarity AI model from sentence-transformers library? | 6b83f0222271d1d1bc1225bdb49a84e9 | {
"intermediate": 0.43747714161872864,
"beginner": 0.025014158338308334,
"expert": 0.5375086665153503
} |
21,491 | <ImageButton
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:contentDescription="@string/back"
app:icon="@drawable/arrow_back"
app:iconTint="@color/black"
app:background="@color/white"
android:padding="12dp" /> shows up as a grey rectangle, what did I do wrong? | dd5d01ee4d3e29dfa257f9e6ade4a0d0 | {
"intermediate": 0.469608873128891,
"beginner": 0.27353435754776,
"expert": 0.256856769323349
} |
21,492 | show me an example of trampoline in Go if input is greater than 1 it goes to func b else func a is used | 9bd29688184af064bfae01ed37bcdaa3 | {
"intermediate": 0.3784528076648712,
"beginner": 0.20891620218753815,
"expert": 0.41263097524642944
} |
21,493 | How to recursively add directory in git? | 4149ae92d42066f8bd56d07638a54a28 | {
"intermediate": 0.4520016014575958,
"beginner": 0.23684285581111908,
"expert": 0.3111555278301239
} |
21,494 | How to get list of tracked by git files? | a9ae9f6aaa6c7c44d1b262fde9c44792 | {
"intermediate": 0.4873349368572235,
"beginner": 0.21335798501968384,
"expert": 0.29930707812309265
} |
21,495 | i have a pandas dataframe with address column in format = 'XXXXXXXXXXXX pincode' how can i extract the pincode in python code? | 49a463677d1eab6d97895b138bafd68a | {
"intermediate": 0.7419877648353577,
"beginner": 0.05598735064268112,
"expert": 0.20202487707138062
} |
21,496 | how to remove a user from Riversand MDM as system admin? | dade4505c4a118b2afd2ff549c8366a2 | {
"intermediate": 0.397912859916687,
"beginner": 0.2669505476951599,
"expert": 0.3351365625858307
} |
21,497 | try do a chatgpt code full html,css,javascript code chat interface ui page but by using these endpoints: "https://cncanon-gpt4.hf.space/proxy/openai/turbo-instruct", "https://cncanon-gpt4.hf.space/proxy/aws/claude", "https://cncanon-gpt4.hf.space/proxy/openai" | 8eef81a97a0ca18c611ab410f8cf111e | {
"intermediate": 0.48399096727371216,
"beginner": 0.21379651129245758,
"expert": 0.30221250653266907
} |
21,498 | try do a chatgpt code full html,css,javascript code chat interface ui page but by using these endpoints: "https://cncanon-gpt4.hf.space/proxy/openai/turbo-instruct", "https://cncanon-gpt4.hf.space/proxy/aws/claude", "https://cncanon-gpt4.hf.space/proxy/openai" | 2401a43f24f9ef5f439d0fddcc27709d | {
"intermediate": 0.48399096727371216,
"beginner": 0.21379651129245758,
"expert": 0.30221250653266907
} |
21,499 | in python give me a function to which i will pass a list of integers in which only 2 or 3 of them will be unique so function should output a list of those unique integers | b21fe583b868dec7a27b230ead6355bd | {
"intermediate": 0.4706259071826935,
"beginner": 0.2403779774904251,
"expert": 0.2889960706233978
} |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.