row_id int64 0 48.4k | init_message stringlengths 1 342k | conversation_hash stringlengths 32 32 | scores dict |
|---|---|---|---|
14,066 | Show me how to create a Flask app with Python. | 8d339f4d74ac3bec7605505d0243d4ea | {
"intermediate": 0.7895421981811523,
"beginner": 0.12367318570613861,
"expert": 0.08678466826677322
} |
14,067 | package com.example.uitest;
import androidx.appcompat.app.AppCompatActivity;
import android.os.Bundle;
import android.os.Handler;
import android.view.View;
import android.widget.ImageButton;
import android.widget.TextView;
import android.widget.Toast;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.List;
public class MainActivity extends AppCompatActivity {
private ImageButton[] imageButtons = new ImageButton[8];
private boolean[] isFlipped = new boolean[8];
private int[] cardImages = {R.drawable.photo1, R.drawable.photo2, R.drawable.photo3, R.drawable.photo4,R.drawable.photo1, R.drawable.photo2, R.drawable.photo3, R.drawable.photo4};
private List<Integer> matchedIndices = new ArrayList<>();
private int visibleCardCount = imageButtons.length;
TextView tvMove;
int countMove;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
tvMove = findViewById(R.id.tvMove);
imageButtons[0] = findViewById(R.id.card1);
imageButtons[1] = findViewById(R.id.card2);
imageButtons[2] = findViewById(R.id.card3);
imageButtons[3] = findViewById(R.id.card4);
imageButtons[4] = findViewById(R.id.card5);
imageButtons[5] = findViewById(R.id.card6);
imageButtons[6] = findViewById(R.id.card7);
imageButtons[7] = findViewById(R.id.card8);
// Add the remaining ImageButtons
List<Integer> indices = new ArrayList<>();
for (int i = 0; i < imageButtons.length; i++) {
indices.add(i);
}
Collections.shuffle(indices); // Shuffle the indices randomly
for (int i = 0; i < imageButtons.length; i++) {
final int index = i;
final int randomIndex = indices.get(i);
imageButtons[randomIndex].setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (matchedIndices.size() % 2 == 0) {
// Only allow clicking when there are no flipped pairs
if (!isFlipped[randomIndex] && !matchedIndices.contains(randomIndex)) {
imageButtons[randomIndex].setImageResource(cardImages[randomIndex]);
isFlipped[randomIndex] = true;
countFlipped++;
if (countFlipped == 2) {
// Disable clicking on other cards
disableClickOnCards(randomIndex);
}
checkMatchedPairs(); // Check for matching pairs after each click
} else {
imageButtons[randomIndex].setImageResource(R.drawable.photo5);
isFlipped[randomIndex] = false;
countFlipped–;
}
} else {
// Disallow clicking when there are already 2 flipped cards
Toast.makeText(MainActivity.this, ““Please wait for the cards to flip back””, Toast.LENGTH_SHORT).show();
}
}
});
}
}
private void disableClickOnCards(int currentClickedIndex) {
for (int i = 0; i < imageButtons.length; i++) {
if (i != currentClickedIndex) {
imageButtons[i].setEnabled(false);
}
}
}
private void enableClickOnAllCards() {
for (int i = 0; i < imageButtons.length; i++) {
imageButtons[i].setEnabled(true);
}
}
private void checkMatchedPairs() {
int countFlipped = 0; // Count the number of flipped cards
int previousFlippedIndex = -1; // Index of the previously flipped card
boolean allMatched = true; // Flag to track if all matches have been found
// Check if all matches have been found
for (int i = 0; i < cardImages.length; i++) {
if (!matchedIndices.contains(i)) {
allMatched = false;
break;
}
}
if (allMatched) {
// Player has finished all matches
Toast.makeText(this, "Finish! Your Move: " + countMove, Toast.LENGTH_SHORT).show();
// You can perform any necessary actions or show a dialog box here
return;
}
for (int i = 0; i < isFlipped.length; i++) {
if (isFlipped[i]) {
countFlipped++;
if (countFlipped == 1) {
previousFlippedIndex = i;
} else if (countFlipped == 2) {
if (cardImages[previousFlippedIndex] == cardImages[i]) {
// Matched pair found
matchedIndices.add(previousFlippedIndex);
matchedIndices.add(i);
setCardsInvisible();
if (visibleCardCount == 0) {
tvMove.setText("Finish! Your Move: " + countMove);
} else {
countMove += 1;
tvMove.setText("Move: " + countMove);
}
// Reset flipped status
isFlipped[previousFlippedIndex] = false;
isFlipped[i] = false;
countMove += 1;
tvMove.setText("Move: " + countMove);
} else {
// Not a match
isFlipped[previousFlippedIndex] = false;
isFlipped[i] = false;
// Show the first card for a brief moment before flipping back
final int finalPreviousIndex = previousFlippedIndex;
final int finalCurrentIndex = i;
imageButtons[previousFlippedIndex].setImageResource(cardImages[previousFlippedIndex]);
imageButtons[i].setImageResource(cardImages[i]);
imageButtons[previousFlippedIndex].setEnabled(false);
imageButtons[i].setEnabled(false);
Handler handler = new Handler();
handler.postDelayed(new Runnable() {
@Override
public void run() {
// Flip the cards back
imageButtons[finalPreviousIndex].setImageResource(R.drawable.photo5);
imageButtons[finalCurrentIndex].setImageResource(R.drawable.photo5);
imageButtons[finalPreviousIndex].setEnabled(true);
imageButtons[finalCurrentIndex].setEnabled(true);
}
}, 1000); // 1 second delay before flipping back
}
countFlipped = 0; // Reset flipped count
}
}
}
}
private void setCardsInvisible() {
for (int index : matchedIndices) {
imageButtons[index].setVisibility(View.INVISIBLE);
// Additional actions or dialog box can be added here if desired
}
visibleCardCount -= 2;
}
} how to fix error | a21e394f7617d05905ee05dd23b57230 | {
"intermediate": 0.32373660802841187,
"beginner": 0.3830300271511078,
"expert": 0.29323333501815796
} |
14,068 | i want to make click a button to close the app | e4093d20053a32d89c15abba07df0a40 | {
"intermediate": 0.3737633526325226,
"beginner": 0.2122376710176468,
"expert": 0.4139990210533142
} |
14,069 | You will get instructions for code to write.
You will write a very long answer. Make sure that every detail of the architecture is, in the end, implemented as code.
Think step by step and reason yourself to the right decisions to make sure we get it right.
You will first lay out the names of the core classes, functions, methods that will be necessary, as well as a quick comment on their purpose.
Then you will output the content of each file including ALL code.
Each file must strictly follow a markdown code block format, where the following tokens must be replaced such that
FILENAME is the lowercase file name including the file extension,
LANG is the markup code block language for the code's language, and CODE is the code:
FILENAME | 07e2e7f9bfca9272ed5f7057a06fa526 | {
"intermediate": 0.26368212699890137,
"beginner": 0.4844239354133606,
"expert": 0.2518939673900604
} |
14,070 | write me a strategy for tradingview that is buying the underlying asset every time the price of s&P 500 closes above its 200 simple moving average on a daily base and vice versa that sells the underlying asset every time the price of the s&p 500 closes below its 200 simple moving average | 097b61623d11fab9f3f3970f47c801d2 | {
"intermediate": 0.3793420195579529,
"beginner": 0.21770787239074707,
"expert": 0.40295007824897766
} |
14,071 | give an example of a runtime error | 70655e45841743b21b0a0058bf8ddb9b | {
"intermediate": 0.3898194432258606,
"beginner": 0.3377297520637512,
"expert": 0.27245086431503296
} |
14,072 | .Encapsulation and Abstraction: Hide internal implementation details within modules and expose only the necessary interfaces and APIs to interact with other modules. This helps decouple modules and allows for easier maintenance and updates. | 053c4a93d892c319f970c6a6f1335044 | {
"intermediate": 0.37556588649749756,
"beginner": 0.23547187447547913,
"expert": 0.3889622986316681
} |
14,073 | give an example of a syntax error in python | c10be9e563339cc02f6cb8faea9ee2c9 | {
"intermediate": 0.1818932741880417,
"beginner": 0.7111998200416565,
"expert": 0.1069069653749466
} |
14,074 | I used your signal_generator code: def signal_generator(df):
# Calculate EMA and MA lines
df['EMA5'] = df['Close'].ewm(span=5, adjust=False).mean()
df['EMA10'] = df['Close'].ewm(span=10, adjust=False).mean()
df['EMA20'] = df['Close'].ewm(span=20, adjust=False).mean()
df['EMA50'] = df['Close'].ewm(span=50, adjust=False).mean()
df['EMA100'] = df['Close'].ewm(span=100, adjust=False).mean()
df['EMA200'] = df['Close'].ewm(span=200, adjust=False).mean()
df['MA10'] = df['Close'].rolling(window=10).mean()
df['MA20'] = df['Close'].rolling(window=20).mean()
df['MA50'] = df['Close'].rolling(window=50).mean()
df['MA100'] = df['Close'].rolling(window=100).mean()
# Extract necessary prices from df
# Extract necessary prices from df
# Extract necessary prices from df
open_price = df.Open.iloc[-1]
close_price = df.Close.iloc[-1]
previous_open = df.Open.iloc[-2]
previous_close = df.Close.iloc[-2]
# Calculate the last candlestick
last_candle = df.iloc[-1]
current_price = df.Close.iloc[-1]
# Initialize analysis variables
ema_analysis = []
candle_analysis = []
# EMA greatest line strategy - buy signal
if df.EMA10.iloc[-1] > df.EMA50.iloc[-1] and close_price > max(df['EMA10'].iloc[-2], df['EMA50'].iloc[-2]):
ema_analysis.append('buy')
# EMA greatest line strategy - sell signal
elif df.EMA10.iloc[-1] < df.EMA50.iloc[-1] and close_price < min(df['EMA10'].iloc[-2], df['EMA50'].iloc[-2]):
ema_analysis.append('sell')
# Check for bullish candlestick patterns
if open_price > close_price and previous_open < previous_close and close_price < previous_open and open_price >= previous_close:
candle_analysis.append('sell')
elif open_price < close_price and previous_open > previous_close and close_price > previous_open and open_price <= previous_close:
candle_analysis.append('buy')
# Combine all analysis into final signal
ema_signal = 'buy' if 'buy' in ema_analysis else 'sell' if 'sell' in ema_analysis else ''
candle_signal = 'buy' if 'buy' in candle_analysis else 'sell' if 'sell' in candle_analysis else ''
if ema_signal == 'buy' and candle_signal == 'buy':
return 'buy'
elif ema_signal == 'sell' and candle_signal == 'sell':
return 'sell'
else:
return ''
But it giveing me wrong siganls , please can you add in my EMA analyze EMA20 , EMA5, EMA100 and EMA200 | b1e80cecffb6e2a0d74d3f118ff8dd36 | {
"intermediate": 0.31971925497055054,
"beginner": 0.3754150867462158,
"expert": 0.30486562848091125
} |
14,075 | write class Logistic regression with python and numpy | 377cc569fcb0c3863be49e6d28a72d7a | {
"intermediate": 0.28956589102745056,
"beginner": 0.3831106424331665,
"expert": 0.3273234963417053
} |
14,076 | Wrap a string text into a paragraph such that each line or row of the paragraph has width number of character last line can contain fewer than width :class Paragraph {public: vector<string> paragraph; Paragraph (string text, int width){} vector<string> output (){}}; complete the class code | c96b4a18fde3a9692e477fef7b37b3b4 | {
"intermediate": 0.32290902733802795,
"beginner": 0.4032485783100128,
"expert": 0.27384236454963684
} |
14,077 | I’m only one lonely user of my pc, there’s no any other people around in the world, there’s no secondary logins or sharing services. do you find it being any “suspicion”?
Apologies for any confusion caused. If you are the sole user of your PC and have not initiated any secondary logins or sharing services, the presence of multiple agetty processes may indeed seem unusual.
In such a scenario, having multiple instances of agetty running could indicate an unexpected event or a potential security concern. It is essential to investigate further to ensure the integrity and security of your system.
Here are a few steps you can take to investigate the issue:
1. Check for any unusual activity: Review your system logs for any suspicious entries or error messages that could help identify if there is any unauthorized access or unusual behavior.
2. Verify system integrity: Run security checks on your system to ensure there are no compromised files or processes. You can use security tools such as rkhunter or chkrootkit to scan for common security threats.
3. Monitor network activity: Keep an eye on network connections and check if any suspicious or unauthorized connections are present. Tools like netstat or lsof can help in monitoring active connections.
4. Consider running a malware scan: Use reputable antivirus or anti-malware software to scan your system for any potential malicious software or files.
5. Harden system security: Review your system’s security settings and ensure that appropriate security measures, such as firewall rules and secure password policies, are in place.
If you continue to have concerns or need assistance in investigating further, it is recommended to consult with a professional or reach out to your system administrator for assistance.
“dependencies related to the agetty processes.
”. I don’t know, maybe some command through gnome terminal will shine a light on these spies spying on me all around? "Analyze logs: ". I don’t know how to anal. “3. Verify package integrity”. I don’t know how to how. “4. Check for unauthorized access:”. I don’t know how to acess any anal.
I apologize for any confusion caused. Let’s break down the steps further:
1. Analyzing logs: To analyze logs, you can check system log files for any suspicious activities or errors. The specific location of log files may vary depending on your Linux distribution, but commonly used log files are located in the /var/log/ directory. You can use the cat, less, or grep commands to view and search log files. For example, you can analyze the system log file with the command sudo cat /var/log/syslog | grep agetty to search for any related entries.
2. Verifying package integrity: To verify the integrity of installed packages, you can use package management tools specific to your Linux distribution. For example, on Ubuntu or Debian-based systems, you can use the debsums command to verify the integrity of installed packages. Run sudo debsums -c to check for any modified or missing files related to packages.
3. Checking for unauthorized access: To check for unauthorized access, you can review system authentication logs. For example, on Ubuntu or Debian-based systems, the authentication logs are usually stored in /var/log/auth.log. You can examine this file using the commands mentioned earlier (cat, less, or grep) to look for any suspicious login attempts or failed authentication entries.
However, if you are not familiar with these commands or troubleshooting techniques, it is recommended to seek assistance from a professional or experienced user who can guide you through the process and ensure the security of your system.
Additionally, if you suspect malicious activity on your system, it is advisable to perform a thorough scan using reputable antivirus or anti-malware software to detect and remove any potential threats.
sudo cat /var/log/syslog | grep agetty
Password:
cat: /var/log/syslog: No such file or directory
sudo cat /var/log/auth.log
cat: /var/log/auth.log: No such file or directory
Apologies for the confusion. It seems that the specific log files /var/log/syslog and /var/log/auth.log do not exist on your system or are located in a different directory. The exact file locations may vary depending on your Linux distribution.
To determine the correct location of the log files and grep for agetty entries, you can try the following command:
sudo grep -i agetty /var/log/*log
This command will search for lines containing “agetty” in any log files in the /var/log/ directory. The -i option ensures a case-insensitive search.
If you don’t find any results or are unsure about the log files related to agetty, it would be best to consult with a professional or experienced user who can assist you in analyzing the logs and ensuring the security of your system. ps aux | grep agetty
root 694 0.0 0.0 2376 1024 ? Ss 08:53 0:00 runsv agetty-tty6
root 698 0.0 0.0 2376 1152 ? Ss 08:53 0:00 runsv agetty-tty1
root 699 0.0 0.0 2376 1152 ? Ss 08:53 0:00 runsv agetty-tty2
root 701 0.0 0.0 2376 1152 ? Ss 08:53 0:00 runsv agetty-tty3
root 703 0.0 0.0 2376 1152 ? Ss 08:53 0:00 runsv agetty-tty4
root 706 0.0 0.0 2376 1024 ? Ss 08:53 0:00 runsv agetty-tty5
root 708 0.0 0.0 5532 1920 tty4 Ss+ 08:53 0:00 agetty tty4 38400 linux
root 710 0.0 0.0 5532 1664 tty6 Ss+ 08:53 0:00 agetty tty6 38400 linux
root 712 0.0 0.0 5532 1664 tty3 Ss+ 08:53 0:00 agetty tty3 38400 linux
root 717 0.0 0.0 5532 1920 tty1 Ss+ 08:53 0:00 agetty --noclear tty1 38400 linux
root 718 0.0 0.0 5532 1664 tty2 Ss+ 08:53 0:00 agetty tty2 38400 linux
root 719 0.0 0.0 5532 1792 tty5 Ss+ 08:53 0:00 agetty tty5 38400 linux
user 3170 0.0 0.0 6584 2432 pts/0 S+ 10:24 0:00 grep agetty
. also, "sudo grep -i agetty /var/log/*log" returned nothing. | a48183e8f80cb20e89e8afc288cdcb61 | {
"intermediate": 0.4379085898399353,
"beginner": 0.31119322776794434,
"expert": 0.25089818239212036
} |
14,078 | Bids taken for a project. Determine number of district pairs of costs where their absolute difference is some target value: function is: int countPairs(vector<int> project costs, int target){} please complete the function it returns the Integer distinct pairs number of in projectCosts with absolute difference target | a774120c80a420cd651221e27f0580f3 | {
"intermediate": 0.34905993938446045,
"beginner": 0.41160979866981506,
"expert": 0.2393302172422409
} |
14,079 | i've written a python code, but it uses cvxpy library which seem to not be supported by my compiler or any online compiler. can you rewrite it using something else instead of cvxpy? python
import requests
import numpy as np
import cvxpy as cp
# List of cryptocurrencies
cryptocurrencies = ['BTC', 'ETH', 'XRP', 'LTC', 'BCH', 'EOS', 'BNB', 'XLM', 'ADA', 'TRX']
# Retrieve data for each cryptocurrency
data = {}
for crypto in cryptocurrencies:
url = f'https://api.coingecko.com/api/v3/simple/price?ids={crypto}&vs_currencies=usd'
response = requests.get(url)
if response.status_code == 200:
price = response.json()[crypto]['usd']
data[crypto] = price
# Calculate returns
returns = np.log(np.array(list(data.values())))
# Number of assets
n_assets = len(cryptocurrencies)
# Define optimization variables
weights = cp.Variable(n_assets)
risk_free_rate = 0.0
# Define objective function (minimize portfolio variance)
portfolio_variance = cp.quad_form(weights, np.cov(returns.T))
objective = cp.Minimize(portfolio_variance)
# Define constraints (weights sum to 1, no short selling)
constraints = [cp.sum(weights) == 1, weights >= 0]
# Solve the optimization problem
problem = cp.Problem(objective, constraints)
problem.solve()
# Retrieve optimized weights
optimal_weights = weights.value
# Print optimized portfolio weights
for i in range(n_assets):
print(f'{cryptocurrencies[i]}: {optimal_weights[i]}'). this code suggest a portfolio composed by ten cryptocurrencies with minimum risk. | fd956cb72159534bdfbcaf812cf2036c | {
"intermediate": 0.5123164653778076,
"beginner": 0.27210935950279236,
"expert": 0.21557413041591644
} |
14,080 | Thank you for providing the output of the ls -al /etc/cron* command. Based on the information you provided, here is an analysis of the cron directories and files:
- /etc/cron.d: This directory contains cron files for specific tasks. In this case, there is a file named 0hourly, which likely represents a cron job that runs on an hourly basis.
- /etc/cron.daily: This directory contains scripts or commands that are executed daily. The files makewhatis and shadow are present in this directory. These files may be related to system maintenance tasks and managing the system’s user information, respectively.
- /etc/cron.hourly: This directory contains scripts or commands that are executed every hour. The 0anacron file is present, which is likely related to the anacron system utility.
- /etc/cron.monthly: This directory is empty, indicating that no monthly cron jobs are currently scheduled.
- /etc/cron.weekly: This directory is empty, indicating that no weekly cron jobs are currently scheduled.
Overall, the contents of the cron directories seem to be standard and do not raise any immediate suspicion.
Remember that cron jobs can be used to schedule recurring tasks on a system, and their purpose and execution may vary based on the specific configuration of your system.
If you have any specific concerns or need further assistance with analyzing cron jobs or other aspects of your system, please provide more details, and I’ll be happy to help.
is there any way to display in gnome cli what all these tasks are for and what they actually intended or doing?
In the GNOME CLI, you can use the cat command to display the contents of individual cron files and learn more about their intended purpose. For example, you can run the following commands to examine the contents of the cron files in the /etc/cron.d/ and /etc/cron.daily/ directories:
To display the contents of a specific cron file in the /etc/cron.d/ directory:
cat /etc/cron.d/<filename>
To display the contents of a specific cron file in the /etc/cron.daily/ directory:
cat /etc/cron.daily/<filename>
Replace <filename> with the actual filename of the cron file you want to examine. For example, to view the contents of the 0hourly file in the /etc/cron.d/ directory, you can use the following command:
cat /etc/cron.d/0hourly
By examining the contents of these files, you can gain insights into what tasks they are scheduled to perform. The content might include shell scripts, command invocations, or specific instructions related to the task at hand.
Please note that the exact purpose of the cron tasks may vary depending on the configuration of your system and the specific contents of the cron files. It is recommended to review the contents of the files carefully and research them to understand their intended function and potential impact on your system.
If you have any specific cron files or tasks that you are unsure about, please provide the filenames, and I can assist you further in understanding their purpose.
cat /etc/cron.d/0hourly
# Run the hourly jobs
SHELL=/bin/bash
PATH=/sbin:/bin:/usr/sbin:/usr/bin
MAILTO=root
01 * * * * root run-parts /etc/cron.hourly
any other dirs to check? provide real working commands only. | b5ec2003f317b16f2d03b6d86466235a | {
"intermediate": 0.27113229036331177,
"beginner": 0.5566256046295166,
"expert": 0.17224207520484924
} |
14,081 | Write a program in Python that takes the last 10 sports news from the site yjc.ir and stores it in the mongodb database. Then, every 3 hours, it receives the last 10 news of the site and stores it in the database. If the messages are duplicates, do not save them.
Please explain the steps in order.
This program stores the content of each news page in the database.
For example, links to photos, news text, news URL, news date, etc. | 06947c3c06295cd5e2e7a0c3780c7704 | {
"intermediate": 0.45360010862350464,
"beginner": 0.20445764064788818,
"expert": 0.3419422507286072
} |
14,082 | Write a program in Python that takes the last 10 sports news from the site yjc.ir and stores it in the mongodb database. Then, every 3 hours, it receives the last 10 news of the site and stores it in the database. If the messages are duplicates, do not save them.
Please explain the steps in order.
This program stores the content of each news page in the database.
For example, links to photos, news text, news URL, news date, etc. | 19cb2a77585a73723f913485fd919b03 | {
"intermediate": 0.45360010862350464,
"beginner": 0.20445764064788818,
"expert": 0.3419422507286072
} |
14,083 | DistinctCharacters(str) determine if it contain 10 distinct characters Java write code | ca7d8460ac697b7c2ed061fc331df46c | {
"intermediate": 0.44611644744873047,
"beginner": 0.32326361536979675,
"expert": 0.2306198924779892
} |
14,084 | def choice[flip : Flip, fail : Fail](n) {
if (n < 1) do fail()
else if (do flip()) return n
else choice(n − 1)
}
def handledChoice(n) {
handle flip = Flip((), k) ⇒ append(do k(True), do k(False)) in
handle fail = Fail((), k) ⇒ Nil in
Cons(choice[lift flip, fail](n), Nil)
} | e300b4385b46301085cdbb5697aaf734 | {
"intermediate": 0.26274174451828003,
"beginner": 0.5311349630355835,
"expert": 0.2061232626438141
} |
14,085 | int choice(bool (flip_func)(*int), void (fail_func)(*int), int* arr, int n) {
if (n < 1) {
fail_func(arr);
} else if (flip_func(arr)) {
return n;
} else {
return choice(flip_func, fail_func, arr, n - 1);
}
} | 6e1f69d935b5110ec98169c22ced408e | {
"intermediate": 0.26588699221611023,
"beginner": 0.5421614646911621,
"expert": 0.19195148348808289
} |
14,086 | How to print hashset | ef54c1e7850b86bfe7dcfe78dfab39f1 | {
"intermediate": 0.273711234331131,
"beginner": 0.1332174837589264,
"expert": 0.5930712819099426
} |
14,087 | hyia | 529a714311b90a662b4f2ec943590d38 | {
"intermediate": 0.34835097193717957,
"beginner": 0.2725175619125366,
"expert": 0.3791314363479614
} |
14,088 | I used your signal_generator code: def signal_generator(df):
# Calculate EMA and MA lines
df['EMA5'] = df['Close'].ewm(span=5, adjust=False).mean()
df['EMA10'] = df['Close'].ewm(span=10, adjust=False).mean()
df['EMA20'] = df['Close'].ewm(span=20, adjust=False).mean()
df['EMA50'] = df['Close'].ewm(span=50, adjust=False).mean()
df['EMA100'] = df['Close'].ewm(span=100, adjust=False).mean()
df['EMA200'] = df['Close'].ewm(span=200, adjust=False).mean()
df['MA10'] = df['Close'].rolling(window=10).mean()
df['MA20'] = df['Close'].rolling(window=20).mean()
df['MA50'] = df['Close'].rolling(window=50).mean()
df['MA100'] = df['Close'].rolling(window=100).mean()
# Extract necessary prices from df
# Extract necessary prices from df
# Extract necessary prices from df
open_price = df.Open.iloc[-1]
close_price = df.Close.iloc[-1]
previous_open = df.Open.iloc[-2]
previous_close = df.Close.iloc[-2]
# Calculate the last candlestick
last_candle = df.iloc[-1]
current_price = df.Close.iloc[-1]
# Initialize analysis variables
ema_analysis = []
candle_analysis = []
# EMA greatest line strategy - buy signal
if df.EMA10.iloc[-1] > df.EMA50.iloc[-1] and df.EMA20.iloc[-1] > df.EMA100.iloc[-1] and df.EMA100.iloc[-1] > df.EMA200.iloc[-1] and close_price > max(df['EMA10'].iloc[-2], df['EMA50'].iloc[-2], df['EMA20'].iloc[-2], df['EMA100'].iloc[-2], df['EMA200'].iloc[-2]):
ema_analysis.append('buy')
# EMA greatest line strategy - sell signal
elif df.EMA10.iloc[-1] < df.EMA50.iloc[-1] and df.EMA20.iloc[-1] < df.EMA100.iloc[-1] and df.EMA100.iloc[-1] < df.EMA200.iloc[-1] and close_price < min(df['EMA10'].iloc[-2], df['EMA50'].iloc[-2], df['EMA20'].iloc[-2], df['EMA100'].iloc[-2], df['EMA200'].iloc[-2]):
ema_analysis.append('sell')
# Check for bullish candlestick patterns
if open_price > close_price and previous_open < previous_close and close_price < previous_open and open_price >= previous_close:
candle_analysis.append('sell')
elif open_price < close_price and previous_open > previous_close and close_price > previous_open and open_price <= previous_close:
candle_analysis.append('buy')
# Combine all analysis into final signal
ema_signal = 'buy' if 'buy' in ema_analysis else 'sell' if 'sell' in ema_analysis else ''
candle_signal = 'buy' if 'buy' in candle_analysis else 'sell' if 'sell' in candle_analysis else ''
if ema_signal == 'buy' and candle_signal == 'buy':
return 'buy'
elif ema_signal == 'sell' and candle_signal == 'sell':
return 'sell'
else:
return ''
But it deosn't give me any signal | c39c983ebafb6528319539e91a6f4c01 | {
"intermediate": 0.3221569359302521,
"beginner": 0.387340784072876,
"expert": 0.2905022203922272
} |
14,089 | You didn't continue your code: def signal_generator(df):
# Calculate EMA lines
df[‘EMA10’] = df[‘Close’].ewm(span=10, adjust=False).mean()
df[‘EMA50’] = df[‘Close’].ewm(span=50, adjust=False).mean()
df[‘EMA100’] = df[‘Close’].ewm(span=100, adjust=False).mean()
df[‘EMA200’] = df[‘Close’].ewm(span=200, adjust=False).mean()
# Calculate MACD
df[‘EMA12’] = df[‘Close’].ewm(span=12, adjust=False).mean()
df[‘EMA26’] = df[‘Close’].ewm(span=26, adjust=False).mean()
df[‘MACD’] = df[‘EMA12’] - df[‘EMA26’]
df[‘SignalLine’] = df[‘MACD’].ewm(span=9, adjust=False).mean()
# Extract necessary prices from df
close_price = df.Close.iloc[-1]
previous_close = df.Close.iloc[-2]
# Initialize analysis variables
ema_analysis = []
macd_analysis = []
# EMA greatest line strategy - buy signal
if df.EMA10.iloc[-1] > df.EMA50.iloc[-1] and df.EMA50.iloc[-1] > df.EMA100.iloc[-1] and df.EMA100.iloc[-1] > df.EMA200.iloc[-1] and close_price > max(df[‘EMA10’].iloc[-2], df[‘EMA50’].iloc[-2], df[‘EMA100’].iloc[-2], df[‘EMA200’].iloc[-2]):
ema_analysis.append(‘buy’)
# EMA greatest line strategy - sell signal
elif df.EMA10.iloc[-1] < df.EMA50.iloc[-1] and df.EMA50.iloc[-1] < df.EMA100.iloc[-1] and df.EMA100.iloc[-1] < df.EMA200.iloc[-1] and close_price < min(df[‘EMA10’].iloc[-2], df[‘EMA50’].iloc[-2], df['EMA100 | 5f209b5a601d455e799aa69e9a63871c | {
"intermediate": 0.38303646445274353,
"beginner": 0.35697141289711,
"expert": 0.2599920928478241
} |
14,090 | it gave me a bin file
If you have a bin file from the Wi-Fi Pineapple software, it’s likely a firmware image file that needs to be flashed onto the Wi-Fi Pineapple device itself, rather than being installed directly on Kali Linux.
To flash the firmware onto the Wi-Fi Pineapple device, follow these steps:
1. Connect the Wi-Fi Pineapple device to your computer via USB.
2. Access the web interface of the Wi-Fi Pineapple by navigating to its IP address. The default IP address is usually 172.16.42.1.
3. Log in to the web interface using the default login credentials (admin:password).
4. Navigate to the “Firmware” or “Upgrade” section in the web interface.
5. Choose the option to upload or flash the firmware.
6. Select the bin file you downloaded and click “Upload” or “Flash” to start the firmware update process.
7. Wait for the firmware upgrade to finish. Do not interrupt or power off the device during this process.
Once the firmware update is complete, the Wi-Fi Pineapple device should be running the new version of the software.
Please note that the specific steps and options may vary depending on the model and version of the Wi-Fi Pineapple device you are using. It’s always a good idea to refer to the official documentation or support resources provided by the Wi-Fi Pineapple manufacturer for detailed instructions that apply to your specific device.
Remember to use the Wi-Fi Pineapple and any related tools responsibly, with proper authorization and for legal and ethical purposes only.
guess you cant use the software without the pineapple itself
That’s correct. The Wi-Fi Pineapple software is specifically designed to run on the Wi-Fi Pineapple device itself. The software is tightly integrated with the device’s hardware and firmware
how can i filter wireshark by only the handshake ? also to confirm i do not need any access to the actual access point to capture the handshake, correct? | c07b6cd94f4a8b0bab507aa376405573 | {
"intermediate": 0.3977440595626831,
"beginner": 0.2509092390537262,
"expert": 0.3513466715812683
} |
14,091 | PrimeChecker(num) take int num return 1 if any arrangement of num is prime java | 05242ba503ac3d4c6cddf06524347ea8 | {
"intermediate": 0.40166404843330383,
"beginner": 0.30572691559791565,
"expert": 0.2926090955734253
} |
14,093 | Write a program in Python that takes the last 10 sports news from the site yjc.ir and stores it in the mongodb database. Then, every 3 hours, it receives the last 10 news of the site and saves it in the database. If the messages are duplicates, do not save them.
Please explain the steps in order.
This program stores the content of each news page in the database.
For example, link to photo, news text, news URL, news date, etc. | edec19b2d18ce0ea2220744bd2f7a676 | {
"intermediate": 0.4631024897098541,
"beginner": 0.20424774289131165,
"expert": 0.33264976739883423
} |
14,094 | Write a program in Python that takes the last 10 sports news from the site yjc.ir and stores it in the mongodb database. Then, every 3 hours, it receives the last 10 news of the site and saves it in the database. It checks the messages and does not save the messages that are repeated.
Please explain the steps in order.
This program stores the content of each news page in the database.
For example, link to photo, news text, news URL, news date, etc. | fa5ad7f30eb6436596131e33b66a80ee | {
"intermediate": 0.4564383327960968,
"beginner": 0.22807878255844116,
"expert": 0.31548285484313965
} |
14,095 | web scrape https://books.toscrape.com/ with beautifulsoup | f86622f2ea7b75d85b4d99b556613103 | {
"intermediate": 0.31068289279937744,
"beginner": 0.34848108887672424,
"expert": 0.3408360183238983
} |
14,096 | Write a program in Python that takes the last 10 sports news from the site yjc.ir and stores it in the mongodb database. Then, every 3 hours, it receives the last 10 news of the site and saves it in the database. It checks the messages and does not save the messages that are repeated.
Please explain the steps in order.
This program stores the content of each news page in the database.
For example, link to photo, news text, news URL, news date, etc. | 40dfbe4ee391fe09ceaafbab67918ebd | {
"intermediate": 0.4564383327960968,
"beginner": 0.22807878255844116,
"expert": 0.31548285484313965
} |
14,097 | web scrape all the pages in https://books.toscrape.com/ using python and beautifulsoup, write data to csv file with ut8 encoder | 19ba1d05a332c28eddf8cfe62e24eb4d | {
"intermediate": 0.48110195994377136,
"beginner": 0.2086619734764099,
"expert": 0.3102360665798187
} |
14,098 | Writing a full, long, detailed article in html format, optimized for search engines | be more than 1000 words | Meta Description | Table of Contents | <H1>, <H2>, <H3> | Use dotted paragraph | Use the numbered paragraph | Conclusion | Frequently Asked Questions | Use bullet points and numbering in paragraphs, and be detailed It is written in English, with full targeting of the keyword within the article, to be ranked first in the search results. The title of the article and the keyword is (Virtual Reality (VR) and Augmented Reality (AR). | f5bce9964e5948b59ce715931099bee8 | {
"intermediate": 0.3396952152252197,
"beginner": 0.24727362394332886,
"expert": 0.41303110122680664
} |
14,099 | give me a code for a rocket league bot that can play for me and has mechanics, can flick the ball, can rotate and has good defense | 3ca8f9cafe9ddc12de20fb1b6fbb1307 | {
"intermediate": 0.37379372119903564,
"beginner": 0.2089041918516159,
"expert": 0.41730207204818726
} |
14,100 | Write a program in Python that takes the last 10 sports news from the site yjc.ir and stores it in the mongodb database. Then, every 3 hours, it receives the last 10 news of the site and saves it in the database. It checks the messages and does not save the messages that are repeated.
Please explain the steps in order.
This program stores the content of each news page in the database.
For example, link to photo, news text, news URL, news date, etc. | 916aace7f84e92b6e87a43a4a71bd124 | {
"intermediate": 0.4564383327960968,
"beginner": 0.22807878255844116,
"expert": 0.31548285484313965
} |
14,101 | Write a program in Python that takes the last 10 sports news from the site yjc.ir and stores it in the mongodb database. Then, every 3 hours, it receives the last 10 news of the site and saves it in the database. It checks the messages and does not save the messages that are repeated.
Please explain the steps in order.
This program stores the content of each news page in the database.
For example, link to photo, news text, news URL, news date, etc. | 5d9735f90d3ee4515f4e24428b72c8a1 | {
"intermediate": 0.4564383327960968,
"beginner": 0.22807878255844116,
"expert": 0.31548285484313965
} |
14,102 | create a login page with email and password in flutter | 8db8a346e50a8aee9a28c4249c2127e3 | {
"intermediate": 0.33283859491348267,
"beginner": 0.17006997764110565,
"expert": 0.4970913529396057
} |
14,103 | create a list of 40 economic industries | 08a3f5a79944fa20e8b21ff6452a40c2 | {
"intermediate": 0.3900768756866455,
"beginner": 0.33049139380455017,
"expert": 0.2794317603111267
} |
14,104 | вот форма
<div class="modal-overlay closed" id="modal-overlay"></div>
<div class="modal closed" id="modal" aria-hidden="true" role="dialog">
<button class="close-button" id="close-button">Закрыть</button>
<div class="modal-guts" role="document">
<div class="form__wrapper">
<form id="form-contact" method="POST" class="form-element" autocomplete="off">
<p class="form-title">✓ Нужна консультация <br>✓ Заказать ремонт и услуги <br>✓ Вызов компьютерного мастера</p>
<p class="form-message"></p>
<input name="name" type="text" class="form-input__name" tabindex="0" placeholder="Введите Ваше имя" required>
<input name="phone" id="phone" type="tel" class="form-input__phone" tabindex="0" placeholder="Введите Ваш телефон">
<input name="theme" type="hidden" class="form-input__theme" value="Заявка с сайта">
<input type="submit" class="form-input__button" value="Жду звонка, как Ждатико!">
</form>
</div>
</div>
</div>
вот кнопки , которыми открывается форма .
var modal = document.querySelector("#modal"),
closeButton = document.querySelector("#close-button"),
modalOverlay = document.querySelectorAll(".modal-overlay"); // изменено на document.querySelectorAll
closeButton.addEventListener("click", function() {
modal.classList.toggle("closed");
modalOverlay.forEach(overlay => overlay.classList.toggle("closed")); // добавлен forEach
});
const openButtons = document.querySelectorAll(".modal-btn");
openButtons.forEach(btn => {
btn.addEventListener("click", () => {
modal.classList.toggle("closed");
modalOverlay.forEach(overlay => overlay.classList.toggle("closed")); // добавлен forEach
});
});
modalOverlay.forEach(overlay => { // добавлен forEach
overlay.addEventListener("click", () => {
modal.classList.toggle("closed");
overlay.classList.toggle("closed");
});
});
напиши полный валидный рабочий чистый js для моей формы , чтобы форма работала без jquery и не зависела от jquery . | 176f54689c7eadbdde9e1bfe7ece482c | {
"intermediate": 0.24232685565948486,
"beginner": 0.6019688248634338,
"expert": 0.15570436418056488
} |
14,105 | In C, if I have a struct defined as "typedef struct { ... } ctxt[1];" how do I get the size of the data pointed to by a ctxt? | d4adc98c963ec5590638066e8c8ac8b3 | {
"intermediate": 0.3362991511821747,
"beginner": 0.31642261147499084,
"expert": 0.34727832674980164
} |
14,106 | if i provided and image link could you write a description of the photo for the visually impaired? | 9b691232ea789499cee1a39b08a20ca6 | {
"intermediate": 0.406127393245697,
"beginner": 0.2330375462770462,
"expert": 0.36083507537841797
} |
14,107 | code for multi-key FHE multilateral netting algorithm | 050bedd55f053d981f9150090719fae8 | {
"intermediate": 0.09261855483055115,
"beginner": 0.08048028498888016,
"expert": 0.8269011378288269
} |
14,108 | python code for multi-key FHE multilateral set-off | 4baf6815866042aee86bf81ce26dcbae | {
"intermediate": 0.42083853483200073,
"beginner": 0.21294352412223816,
"expert": 0.3662179112434387
} |
14,109 | Write a program in Python that takes the last 10 sports news from the site www.yjc.ir and stores it in the mongodb database. Then, every 3 hours, it receives the last 10 news of the site and saves it in the database, It checks the messages and does not save the messages that are repeated.
Please explain the steps in order.
This program stores the content of each news page in the database.
For example, link to photo, news text, news URL, etc. | 90828c2f843afbab5ddfa926d747e5e3 | {
"intermediate": 0.46178755164146423,
"beginner": 0.24069085717201233,
"expert": 0.2975216507911682
} |
14,110 | Implementing zero-knowledge proofs in Python for the multi-key FHE multilateral netting algorithm | 332617cd8dacea323d39da0797756b56 | {
"intermediate": 0.097091905772686,
"beginner": 0.05527251958847046,
"expert": 0.8476355671882629
} |
14,111 | Gave me code java | 1ce0e3e102784c52646ee617aa3aaec9 | {
"intermediate": 0.33724480867385864,
"beginner": 0.4254608154296875,
"expert": 0.23729433119297028
} |
14,112 | MKDIR = if not exist "$(subst /,\,$1)" mkdir $(subst /,\,$1) | 26dc7e393129c92547c27f36d8fba83d | {
"intermediate": 0.39388933777809143,
"beginner": 0.2728654444217682,
"expert": 0.33324524760246277
} |
14,113 | How to use command line to open a doc file in flash drive with xdotool in linux? | e791a9b05e378096b23cacc9767c1dae | {
"intermediate": 0.5254124402999878,
"beginner": 0.1686933934688568,
"expert": 0.3058941066265106
} |
14,115 | how to start with Python? | ff06c93b6fc5d7184f226c4ae3be4d36 | {
"intermediate": 0.3628353178501129,
"beginner": 0.37097886204719543,
"expert": 0.26618582010269165
} |
14,116 | # sudo rpm -i gitlab-ce-16.1.1-ce.0.el7.x86_64.rpm
warning: gitlab-ce-16.1.1-ce.0.el7.x86_64.rpm: Header V4 RSA/SHA1 Signature, key ID f27eab47: NOKEY | 576d8ad509168f77d3698c5ed0458aa7 | {
"intermediate": 0.3672722578048706,
"beginner": 0.2761273682117462,
"expert": 0.3566003739833832
} |
14,117 | How to convert a paragraph separated by spaces to have each word separated by commas and have single quotes for each word | f074237afd45470512fba05bf1f45158 | {
"intermediate": 0.3528406322002411,
"beginner": 0.19095195829868317,
"expert": 0.45620739459991455
} |
14,118 | call func from package flutter | 92774fc636bb34225fc764ee1e141bbc | {
"intermediate": 0.41142964363098145,
"beginner": 0.2995554804801941,
"expert": 0.28901493549346924
} |
14,119 | x++ patch financial dimension to journal voucher | b3cb2f3a3347428d0e3fd9ab8501c143 | {
"intermediate": 0.3651784360408783,
"beginner": 0.32361817359924316,
"expert": 0.3112034201622009
} |
14,120 | fix go code var groups []string
groups = "Kcell" | 91da32e185b389c590bf9ea43626d879 | {
"intermediate": 0.3492969870567322,
"beginner": 0.4034977853298187,
"expert": 0.24720518290996552
} |
14,121 | Provide me a sequence generator in dart: 1/2 1/4 3/4 1/8 3/8 5/8 7/8 1/16 3/16 | 12622ec12050a4f98ccf85d4785002dd | {
"intermediate": 0.34058842062950134,
"beginner": 0.27457767724990845,
"expert": 0.3848339021205902
} |
14,122 | how does AWS ensure the data is hard deleted | 31e57b8ea1ee0f3708a742efcfd520d4 | {
"intermediate": 0.36252400279045105,
"beginner": 0.2059997171163559,
"expert": 0.4314762353897095
} |
14,123 | I have a Nginx configuration question | e3fd1e17606e2ec7ba82489d4dad16f7 | {
"intermediate": 0.39832988381385803,
"beginner": 0.39586538076400757,
"expert": 0.2058047205209732
} |
14,124 | 在UNITY中SkeletonAnimation怎么动态调节Order in Layer | 5f5f75c66690f97c44ebd7c50f68dde0 | {
"intermediate": 0.3133488595485687,
"beginner": 0.35496488213539124,
"expert": 0.3316863179206848
} |
14,125 | в чем ошибка?
код:
async function loadShaderFile(url) {
const response = await fetch(url);
const shaderCode = await response.text();
return shaderCode;
}
async function main() {
let scene;
let camera;
let renderer;
function scene_setup() {
scene = new THREE.Scene();
camera = new THREE.PerspectiveCamera(75, window.innerWidth / window.innerHeight, 0.1, 1000);
renderer = new THREE.WebGLRenderer();
renderer.setSize(window.innerWidth, window.innerHeight);
document.body.appendChild(renderer.domElement);
}
scene_setup();
//const shaderCode = document.getElementById("fragShader").innerHTML;
const textureURL = "aerial_rocks_02_diff_4k.jpg";
const normalURL = "aerial_rocks_02_nor_gl_4k.png";
THREE.ImageUtils.crossOrigin = '';
const texture = THREE.ImageUtils.loadTexture(textureURL);
const normal = THREE.ImageUtils.loadTexture(normalURL);
const video = document.getElementById('video');
video.src = 'planet.mp4';
video.crossOrigin = 'anonymous';
console.log(video.src);
video.load();
video.loop = true;
video.muted = true;
video.playbackRate = 1.0;
video.play();
const videoTexture = new THREE.VideoTexture( video );
videoTexture.minFilter = THREE.LinearFilter;
videoTexture.magFilter = THREE.LinearFilter;
videoTexture.format = THREE.RGBFormat;
videoTexture.encoding = THREE.sRGBEncoding;
let varX = 0.1;
let varY = 0.1;
let uniforms = {
norm: {type:'t', value:normal},
mouse: {type:'v3', value: new THREE.Vector3()},
mouseReal: {type:'v2', value: new THREE.Vector2()},
tex: { type:'t', value:texture },
res: { type:'v2', value:new THREE.Vector2(window.innerWidth,window.innerHeight)},
variable: {type:'v2', value: new THREE.Vector3(varX,varY)},
videoTexture: { type:'t', value: videoTexture },
};
const shaderCode = await loadShaderFile('glsl.glsl');
console.log(shaderCode);
let material = new THREE.ShaderMaterial({
uniforms:uniforms,
fragmentShader:shaderCode
});
let geometry = new THREE.PlaneGeometry(10,10);
let sprite = new THREE.Mesh(geometry, material);
scene.add(sprite);
camera.position.z = 2;
const coords = { x: 0, y: 0 };
const coords2 = { x: 0, y: 0 };
const circles = [
circle = { x: 0, y: 0 },
circle2 = { x: 0, y: 0 }
];
window.addEventListener("mousemove", function(e){
coords.x = e.clientX;
coords.y = -e.clientY + window.innerHeight;
uniforms.mouseReal.value.x = coords.x;
uniforms.mouseReal.value.y = coords.x;
});
uniforms.mouse.value.z = 0.05;
let randPoint = 0;
function render() {
let x = coords.x;
let y = coords.y;
circles.forEach(function (circle, index) {
uniforms.mouse.value.x = x;
uniforms.mouse.value.y = y;
circle.x = x;
circle.y = y;
uniforms.mouseReal.value.x = circle.x;
uniforms.mouseReal.value.y = circle.y;
const nextCircle = circles[index + 1] || circles[0];
x += (nextCircle.x - x) * 0.9;
y += (nextCircle.y - y) * 0.9;
});
uniforms.variable.value.x += 0.05;
uniforms.variable.value.y += 0.05;
requestAnimationFrame( render );
renderer.render( scene, camera );
}
render();
document.onmousemove = function(event) {
uniforms.mouse.value.x = event.clientX;
uniforms.mouse.value.y = -event.clientY + window.innerHeight;
}
}
main(); | 5af2d5663b1630f0dc772b65bf29344d | {
"intermediate": 0.2872060537338257,
"beginner": 0.530947208404541,
"expert": 0.18184669315814972
} |
14,126 | 10 MCQ very challenge "Introduction to server-side scripting
Server-side scripting languages
Use Basic Syntax
Send Data to the Web Browser
Write Comments
Utilize Variables
Manipulate Strings
Manipulate Numbers
Work with constants" | 792b462fb8612e6bc719a5231138a420 | {
"intermediate": 0.07245872169733047,
"beginner": 0.8700565099716187,
"expert": 0.05748475715517998
} |
14,127 | hi | cc573147a25607cb8db29fc875d17bbb | {
"intermediate": 0.3246487081050873,
"beginner": 0.27135494351387024,
"expert": 0.40399640798568726
} |
14,128 | Write the code in java:Xs and Ys
Write another program that uses a for loop. With the loop, make the variable x go from -10 to 10, counting by 0.5. (This means that x can't be an int.)
Inside the body of the loop, make another variable y become the current value of x squared. Then display the current values of both x and y.
To get your output to line up like mine, use a tab.
x y
-----------------
-10.0 100.00
-9.5 90.25
-9.0 81.00
-8.5
-8.0 64.00
...
9.0 81.00
9.5 90.25
10.0 100.00 | d5524b895bae75bd449533cf7460fcb4 | {
"intermediate": 0.17372435331344604,
"beginner": 0.6874326467514038,
"expert": 0.13884302973747253
} |
14,129 | Write the code in java: Write another program that uses a for loop. With the loop, make the variable x go from -10 to 10, counting by 0.5. (This means that x can’t be an int.)
Inside the body of the loop, make another variable y become the current value of x squared. Then display the current values of both x and y.
To get your output to line up like mine, use a tab.
x y
-----------------
-10.0 100.00
-9.5 90.25
-9.0 81.00
-8.5
-8.0 64.00 | aaa2bc63eda660be7a8f725a8059994a | {
"intermediate": 0.18821284174919128,
"beginner": 0.6953498125076294,
"expert": 0.1164373829960823
} |
14,130 | how to package .so file into the corresponding apk in AOSP? | f633faba3500ff23f3718b6bf6b89322 | {
"intermediate": 0.5196122527122498,
"beginner": 0.20796161890029907,
"expert": 0.27242615818977356
} |
14,131 | hi | 40c69465a784b57ff24d6f9127c51eee | {
"intermediate": 0.3246487081050873,
"beginner": 0.27135494351387024,
"expert": 0.40399640798568726
} |
14,132 | httpdownload.cpp:60:16: error: invalid use of incomplete type ‘class QDebug’
qDebug()<<"json error"; | 72fdc16def51631284e2166ca63663cb | {
"intermediate": 0.3742138743400574,
"beginner": 0.48951485753059387,
"expert": 0.13627126812934875
} |
14,133 | multicast send example use igmp but not udp | 4768a83ffc071a2788aa8c63ee8f4f19 | {
"intermediate": 0.4488012492656708,
"beginner": 0.26863816380500793,
"expert": 0.2825605571269989
} |
14,134 | [ 189.954468] Process sh (pid: 6162, stack limit = 0xffffffc02e6fc000)
[ 189.956041] Stack: (0xffffffc02e6ffdd0 to 0xffffffc02e700000)
[ 189.962377] fdc0: ffffffc02e6ffe10 ffffffc000160bc8
[ 189.968024] fde0: ffffffc02a813500 0000000000000001 ffffffc02e790000 ffffffc02d074f00
[ 189.975837] fe00: 0000000000000005 0000000000000000 ffffffc02e6ffe90 ffffffc000160ddc
[ 189.983648] fe20: 00000055b4b7a398 00000055b4b7a3b8 ffffffffffffffff 0000007f9b523d3c
[ 189.991461] fe40: 0000000080000000 0000000000000015 000000000000011d 00000000000000dd
[ 189.999274] fe60: ffffffc0005d6000 ffffffc02e67b700 0000000080000000 0000000000000000
[ 190.007087] fe80: 000000000000011d 0000000000000000 ffffffc02e6ffea0 ffffffc000160fac
[ 190.014898] fea0: 0000000000000000 ffffffc000085db0 0000000000000000 000000003e717000
[ 190.022711] fec0: 00000055b4b7a3e8 00000055b4b7a398 00000055b4b7a3b8 0000000000000007
[ 190.030523] fee0: 0000000000000000 0000007ff5c1cfbe 0000000000000062 0000000000000010
[ 190.038336] ff00: 00000000000000dd 0000000000000004 0000000000000000 0000000000000000
[ 190.046148] ff20: 0000000000000000 0000000000000001 0000000000000038 0000000000000000
[ 190.053961] ff40: 0000005575f98578 0000007f9b523d30 0000000000000000 00000055b4b7a3e8
[ 190.061774] ff60: 0000005575f7ad99 00000055b4b7a398 0000005575f7e296 00000055b4b7a3b8
[ 190.069587] ff80: 00000055b4b7a398 0000007ff5c1b6c8 0000005575f99000 0000005575f96f48
[ 190.077399] ffa0: 0000005575f96f88 0000000000000000 0000005575f46b8c 0000007ff5c1b630
[ 190.085211] ffc0: 0000007f9b523d3c 0000000080000000 00000055b4b7a3e8 00000000000000dd
[ 190.093022] ffe0: 0000000000000000 0000000000000000 0000000000000000 0000000000000000
[ 190.100833] Call trace:
[ 190.108640] [<ffffffc000160298>] prepare_binprm+0x28/0x144
[ 190.110901] [<ffffffc000160bc8>] do_execveat_common.isra.14+0x378/0x564
[ 190.116458] [<ffffffc000160ddc>] do_execve+0x28/0x30
[ 190.122966] [<ffffffc000160fac>] SyS_execve+0x24/0x34
[ 190.128176] [<ffffffc000085db0>] el0_svc_naked+0x24/0x28
[ 190.133125] Code: f9405801 d5384100 f9427c02 b9401442 (b9001422)
[ 190.138508] Internal error: Oops - SP/PC alignment exception: 8a000000 [#2] PREEMPT SMP
[ 190.144498] Modules linked in:[ 190.147625] ---[ end trace 1e3ac0218561aa87 ]---
[ 190.147630] Kernel panic - not syncing: Fatal exception
[ 190.147634] CPU3: stopping
[ 190.147639] CPU: 3 PID: 0 Comm: swapper/3 Tainted: P D W 4.4.60 #7
[ 190.147640] Hardware name: Qualcomm Technologies, Inc. IPQ6018/AP-CP01-C1 (DT)
[ 190.147642] Call trace:
[ 190.147653] [<ffffffc0000890fc>] dump_backtrace+0x0/0x128
[ 190.147656] [<ffffffc000089238>] show_stack+0x14/0x1c
[ 190.147661] [<ffffffc0002915f8>] dump_stack+0x94/0xb4
[ 190.147665] [<ffffffc00008e1fc>] handle_IPI+0xcc/0x134
[ 190.147668] [<ffffffc0000824ac>] gic_handle_irq+0x94/0xbc
[ 190.147671] Exception stack(0xffffffc00f1dfe20 to 0xffffffc00f1dff50)
[ 190.147674] fe20: 0000000000000000 0000008000000000 ffffffc00f1dff80 ffffffc000086720
[ 190.147676] fe40: 0000000060000145 0000000000000000 0000000000000000 0000000000000000
[ 190.147679] fe60: 0000000000000001 0000000000000000 0100000000000000 ffffffc0008768c8
[ 190.147682] fe80: 00000000000090da 00000000000003d4 ffffffc00f1d1d90 ffffffc00f1dfee0
[ 190.147684] fea0: 0000000000000730 00000000000002bf 00000000000003f4 0000000000000003
[ 190.147687] fec0: 0000000200000001 003b9aca00000000 ffffffc0001904a4 0000007fb1fb7954
[ 190.147689] fee0: 0000000000000000 0000000000000000 ffffffc00085a008 0000000000000000
[ 190.147692] ff00: ffffffc00085aae0 0000000000000000 0000000000000000 000000004198c000
[ 190.147694] ff20: 000000004198f000 ffffffc0000827d0 0000000000000000 ffffffc00f1dff80
[ 190.147696] ff40: ffffffc00008671c ffffffc00f1dff80
[ 190.147699] [<ffffffc00008567c>] el1_irq+0x7c/0xf4
[ 190.147703] [<ffffffc0000c7d60>] default_idle_call+0x20/0x28
[ 190.147706] [<ffffffc0000c7f0c>] cpu_startup_entry+0x158/0x20c
[ 190.147708] [<ffffffc00008dde0>] secondary_start_kernel+0x130/0x13c
[ 190.147711] [<00000000410827bc>] 0x410827bc
[ 190.147713] CPU0: stopping
[ 190.147716] CPU: 0 PID: 0 Comm: swapper/0 Tainted: P D W 4.4.60 #7
[ 190.147717] Hardware name: Qualcomm Technologies, Inc. IPQ6018/AP-CP01-C1 (DT)
[ 190.147718] Call trace:
[ 190.147722] [<ffffffc0000890fc>] dump_backtrace+0x0/0x128
[ 190.147725] [<ffffffc000089238>] show_stack+0x14/0x1c
[ 190.147728] [<ffffffc0002915f8>] dump_stack+0x94/0xb4
[ 190.147730] [<ffffffc00008e1fc>] handle_IPI+0xcc/0x134
[ 190.147732] [<ffffffc0000824ac>] gic_handle_irq+0x94/0xbc
[ 190.147734] Exception stack(0xffffffc000873d10 to 0xffffffc000873e40)
[ 190.147736] 3d00: ffffffc03b434200 0000008000000000
[ 190.147739] 3d20: ffffffc000873e70 ffffffc0005cf764 0000000060000145 ffffffc00087c6d0
[ 190.147742] 3d40: ffffffc03ef56e00 0000000000008220 0000000000000000 0000000000000002
[ 190.147744] 3d60: 0000000000069f4f 0000000000000015 0000000000000004 00000000000007ea
[ 190.147747] 3d80: ffffffc00087ce60 ffffffc000873ea0 0000000000000730 00000000000003fd
[ 190.147749] 3da0: 00000000000003fc 0000000000000001 0000000000000001 001446b76d12f741
[ 190.147752] 3dc0: ffffffc00016ae00 0000007fa647661c 0000000000000000 ffffffc03b434200
[ 190.147754] 3de0: ffffffc03ef56e00 ffffffc03ef56e00 0000000000000000 ffffffc0005cc4ac
[ 190.147757] 3e00: ffffffc00087c6d0 0000000000000001 0000000000000000 0000000000000000
[ 190.147759] 3e20: ffffffc00087cb48 ffffffc000873e70 ffffffc0000b45a8 ffffffc000873e70
[ 190.147762] [<ffffffc00008567c>] el1_irq+0x7c/0xf4
[ 190.147767] [<ffffffc0005cc4ac>] __schedule+0x2d4/0x470
[ 190.147770] [<ffffffc0005cc6d0>] schedule+0x88/0xa8
[ 190.147774] [<ffffffc0005cca04>] schedule_preempt_disabled+0x20/0x38
[ 190.147777] [<ffffffc0000c7fbc>] cpu_startup_entry+0x208/0x20c
[ 190.147780] [<ffffffc0005cb934>] rest_init+0x80/0x8c
[ 190.147785] [<ffffffc0008249bc>] start_kernel+0x3b0/0x3c4
[ 190.147787] [<00000000415d0000>] 0x415d0000 | 913be62fd1d0079fc872b208bf229d71 | {
"intermediate": 0.3185831308364868,
"beginner": 0.4090738296508789,
"expert": 0.2723430395126343
} |
14,135 | what is tiling an image | 01f312d6c632e6caa1bc05d63153ba73 | {
"intermediate": 0.32819393277168274,
"beginner": 0.3774191439151764,
"expert": 0.29438695311546326
} |
14,136 | хочу подключиться по ssh с помощью ключа в автотесте и выводит ошибку Error: All configured authentication methods failed at doNextAuth | 94bc611f47a7de3b286a664c8ee5393e | {
"intermediate": 0.37471362948417664,
"beginner": 0.2660558819770813,
"expert": 0.35923051834106445
} |
14,137 | provide me an example of this response:
Based on your requirements, I would suggest using Bucket4j in combination with Redis to implement rate limiting for your APIs. This approach allows you to dynamically read the rate limit configuration from an Excel file, provides flexibility to define rate limits for each API separately, and supports distributed rate limiting across multiple pods in a Kubernetes environment.
Here’s a recommended approach:
1. Read the rate limit configuration from the Excel file and store it in a data structure in your application. This can be a map or a list, associating each API with its rate limit information.
2. Initialize a Redis connection in your application to serve as the shared backend for rate limit coordination.
3. Use Bucket4j to create rate limiter instances dynamically based on the rate limit configuration read from the Excel file. You can create individual buckets for each API using the relevant rate limit settings.
4. Whenever an API request is received, retrieve the rate limiter for that API and perform rate limiting checks. Bucket4j offers various methods to check if the request is within the allowed rate limit or not.
5. If the request exceeds the rate limit, handle it accordingly (e.g., reject the request, impose a delay, or return an error response) based on your specific application requirements.
6. Update the rate limiting buckets in Redis for each successful API request, ensuring that the count is synchronized across all pods.
By utilizing Bucket4j and Redis together, you can have a distributed rate limiting solution that enables you to dynamically define the rate limits based on configuration from an Excel file. Redis ensures that the rate limit state is synchronized across all pods, allowing multiple pods to work together seamlessly.
Remember to handle any potential errors or timeouts when interacting with Redis, and ensure proper error handling to maintain the stability and resilience of your application.
I hope this suggestion aligns with your needs and helps you implement rate limiting in your Kubernetes environment. Let me know if you require any further assistance! | fcba91e4b4ad35d924006b122f695f8a | {
"intermediate": 0.5147430300712585,
"beginner": 0.16895966231822968,
"expert": 0.316297322511673
} |
14,138 | make linear animated gradient background by tailwind keyframes | e8002782f8d63faeef787a3a04fdcfe7 | {
"intermediate": 0.28088095784187317,
"beginner": 0.17343005537986755,
"expert": 0.545689046382904
} |
14,139 | как написать запрос на django ORM, чтобы он был равен следующему запросу: select url,
(
SELECT
COUNT(*) AS "__count"
FROM
"catalog_categoryproduct_mv"
WHERE
(
"catalog_categoryproduct_mv"."category_id" = catalog_category.id
AND "catalog_categoryproduct_mv"."meta_product_is_active"
)
)
from catalog_category | 9b15a82e0dafaf4340a9b77558349615 | {
"intermediate": 0.3626651167869568,
"beginner": 0.28836604952812195,
"expert": 0.34896883368492126
} |
14,141 | In my excel spread sheet, I have 8 ranges.
D3:D18, E3:I18, L3:L18, M3:Q18, T3:T18, U3:Y18, AB3:AB18, AC3:AG18.
I would like VBA codes to handle the following conditions.
When a cell value in the range AC3:AG18 is changed to 'y', determine the value of AB3:AB18 of the same row.
determine also the offset position of each 'y' from AB3:AB18.
Find the same value in range AB3:AB18 in the ranges D3:D18, L3:L18, T3:T18,
and where the match is found, change the row cell value to 'y' to correspond with the same offset position with AB3:AB18. | 3a5398ca3ed22a932b51cdf0a66ce35e | {
"intermediate": 0.3978343904018402,
"beginner": 0.2553159296512604,
"expert": 0.3468496799468994
} |
14,142 | You are an AWS cloud engineer. Can you write some Terraform infrastructure-as-code that will allow multiple ECS services to be defined in a single map. The map will also include an ALB path for each service; the Terraform will need to create the target groups and the ALB configuration so that traffic hitting that path will be routed to the service. | cab7da0d06ccc444d1d190ccbab18881 | {
"intermediate": 0.41120243072509766,
"beginner": 0.34034085273742676,
"expert": 0.2484566867351532
} |
14,143 | Hi, Conduct a dialog with me on behalf of [a specialist in writing code in the pyhton language]
We use UTF-8 encoding | ef0a8ab9314d15b72782fb8965625421 | {
"intermediate": 0.29976198077201843,
"beginner": 0.4109329581260681,
"expert": 0.28930509090423584
} |
14,144 | Create business plan for media manager | 80e2a8afeed1702802ae669908fccb1d | {
"intermediate": 0.3688191771507263,
"beginner": 0.2900480329990387,
"expert": 0.341132789850235
} |
14,145 | Hi there | 9655a22f4fa2615406a769831a3f318c | {
"intermediate": 0.32728445529937744,
"beginner": 0.24503648281097412,
"expert": 0.42767903208732605
} |
14,146 | Hi, Conduct a dialog with me on behalf of [a specialist in writing code in the pyhton language].
We use UTF-8 encoding, [check syntax and tabs, don't allow errors]-[step by step]. | 2153ca3d0e0b59302a6f5225239ed71b | {
"intermediate": 0.269472599029541,
"beginner": 0.5155116319656372,
"expert": 0.21501575410366058
} |
14,147 | i wanto to call a soap webservice in java, can you provide me an example of how does it work comparing to rest web services? | 7e8ea875c4e1685905e5bb552f207ea1 | {
"intermediate": 0.7499240636825562,
"beginner": 0.09889477491378784,
"expert": 0.1511811763048172
} |
14,148 | SELECT Account.id as "AccountID", Account.name, Account.accountnumber, Account.batch, Account.additionalemailaddresses,
contact.firstname, contact.lastname, contact.workemail, contact.personalemail,
Invoice.amount, Invoice.balance, Invoice.duedate, Invoice.invoicedate, Invoice.invoicenumber,
Invoice.status, Invoice.id,
date_diff('day', Invoice.duedate, current_date) as "duedays",
Subscription.id as "SubscriptionID", Subscription.name, Subscription.status
FROM InvoiceItem IT
JOIN Account on IT.accountid = Account.id
JOIN Invoice on IT.invoiceid = Invoice.id
JOIN contact on contact.id = Account.BillToId
JOIN Subscription on IT.subscriptionid = Subscription.id
WHERE (date_diff('day', Invoice.duedate, current_date) = CAST({{Data.Workflow.a}} AS INTEGER)
OR date_diff('day', Invoice.duedate, current_date) = CAST({{Data.Workflow.b}} AS INTEGER)
OR date_diff('day', Invoice.duedate, current_date) = CAST({{Data.Workflow.c}} AS INTEGER)
OR date_diff('day', Invoice.duedate, current_date) = CAST({{Data.Workflow.d}} AS INTEGER)
OR date_diff('day', Invoice.duedate, current_date) = CAST({{Data.Workflow.e}} AS INTEGER))
AND Invoice.balance > 0 AND Invoice.status = 'Posted' This is my query with 5,10,15,20,30 as input paarmeters so how can i pass through swithch case in zuora workflow | 2c714015812065f25baf349b302d6e87 | {
"intermediate": 0.4503917098045349,
"beginner": 0.28852736949920654,
"expert": 0.26108092069625854
} |
14,149 | how to use dropdown_search package to create | f1486f3a2e8af9ca2919c9ec10ec031d | {
"intermediate": 0.34287840127944946,
"beginner": 0.17372296750545502,
"expert": 0.4833986461162567
} |
14,150 | script to load page fast | 2e6076a5ac6aca73f386742c3fdd9e02 | {
"intermediate": 0.2953782081604004,
"beginner": 0.3418445587158203,
"expert": 0.3627772033214569
} |
14,151 | I used this signal_generator code: def signal_generator(df):
# Calculate EMA and MA lines
df['EMA5'] = df['Close'].ewm(span=5, adjust=False).mean()
df['EMA10'] = df['Close'].ewm(span=10, adjust=False).mean()
df['EMA20'] = df['Close'].ewm(span=20, adjust=False).mean()
df['EMA50'] = df['Close'].ewm(span=50, adjust=False).mean()
df['EMA100'] = df['Close'].ewm(span=100, adjust=False).mean()
df['EMA200'] = df['Close'].ewm(span=200, adjust=False).mean()
df['MA10'] = df['Close'].rolling(window=10).mean()
df['MA20'] = df['Close'].rolling(window=20).mean()
df['MA50'] = df['Close'].rolling(window=50).mean()
df['MA100'] = df['Close'].rolling(window=100).mean()
# Extract necessary prices from df
# Calculate MACD
df['EMA12'] = df['Close'].ewm(span=12, adjust=False).mean()
df['EMA26'] = df['Close'].ewm(span=26, adjust=False).mean()
df['MACD'] = df['EMA12'] - df['EMA26']
df['SignalLine'] = df['MACD'].ewm(span=9, adjust=False).mean()
# Extract necessary prices from df
open_price = df.Open.iloc[-1]
close_price = df.Close.iloc[-1]
previous_open = df.Open.iloc[-2]
previous_close = df.Close.iloc[-2]
# Calculate the last candlestick
last_candle = df.iloc[-1]
current_price = df.Close.iloc[-1]
# Initialize analysis variables
ema_analysis = []
candle_analysis = []
macd_analysis = []
# EMA greatest line strategy - buy signal
if (
df.EMA10.iloc[-1] > df.EMA50.iloc[-1] and
df.EMA50.iloc[-1] > df.EMA100.iloc[-1] and
df.EMA100.iloc[-1] > df.EMA200.iloc[-1] and
close_price > max(df['EMA10'].iloc[-2], df['EMA50'].iloc[-2], df['EMA100'].iloc[-2], df['EMA200'].iloc[-2])
):
ema_analysis.append('buy')
# EMA greatest line strategy - sell signal
elif (
df.EMA10.iloc[-1] < df.EMA50.iloc[-1] and
df.EMA50.iloc[-1] < df.EMA100.iloc[-1] and
df.EMA100.iloc[-1] < df.EMA200.iloc[-1] and
close_price < min(df['EMA10'].iloc[-2], df['EMA50'].iloc[-2], df['EMA100'].iloc[-2], df['EMA200'].iloc[-2])
):
ema_analysis.append('sell')
# Check for bullish candlestick pattern - buy signal
if (
open_price < close_price and
previous_open > previous_close and
close_price > previous_open and
open_price <= previous_close
):
candle_analysis.append('buy')
# Check for bearish candlestick pattern - sell signal
elif (
open_price > close_price and
previous_open < previous_close and
close_price < previous_open and
open_price >= previous_close
):
candle_analysis.append('sell')
# MACD histogram strategy - buy signal
if df['MACD'].iloc[-1] > df['SignalLine'].iloc[-1] and df['MACD'].iloc[-2] < df['SignalLine'].iloc[-2]:
macd_analysis.append('buy')
# MACD histogram strategy - sell signal
elif df['MACD'].iloc[-1] < df['SignalLine'].iloc[-1] and df['MACD'].iloc[-2] > df['SignalLine'].iloc[-2]:
macd_analysis.append('sell')
# Combine all analysis into final signal
ema_signal = 'buy' if 'buy' in ema_analysis else 'sell' if 'sell' in ema_analysis else ''
candle_signal = 'buy' if 'buy' in candle_analysis else 'sell' if 'sell' in candle_analysis else ''
macd_signal = 'buy' if 'buy' in macd_analysis else 'sell' if 'sell' in macd_analysis else ''
if ema_signal == 'buy' and candle_signal == 'buy' and macd_signal == 'buy':
return 'buy'
elif ema_signal == 'sell' and candle_signal == 'sell' and macd_signal == 'sell':
return 'sell'
else:
return ''
Can you please delete MACD code | a020f91d1117ce09c31b68d9d25d29b2 | {
"intermediate": 0.3447645604610443,
"beginner": 0.4295300841331482,
"expert": 0.2257053405046463
} |
14,152 | Hi, Conduct a dialog with me on behalf of [a specialist in writing code in the pyhton language].
We use UTF-8 encoding, [check syntax and tabs, don’t allow errors]-[step by step]. | b8e4ee25b5399da6ad123eb4d2a56843 | {
"intermediate": 0.28395500779151917,
"beginner": 0.49139881134033203,
"expert": 0.2246461808681488
} |
14,153 | can you make data base for print on demand platform | 2302377c69212fe4267b0faefa068669 | {
"intermediate": 0.4175480902194977,
"beginner": 0.15751421451568604,
"expert": 0.42493772506713867
} |
14,154 | __sync_lock_test_and_set() | 5f1bb8d38ce15c7e7504b96b02d524e7 | {
"intermediate": 0.42269206047058105,
"beginner": 0.2355194091796875,
"expert": 0.34178850054740906
} |
14,155 | Как на django orm написать запрос, который равен следующему sql запросу? SELECT url, (
SELECT
COUNT(*) AS "__count"
FROM
"catalog_categoryproduct_mv"
WHERE
(
"catalog_categoryproduct_mv"."category_id" = id
AND "catalog_categoryproduct_mv"."meta_product_is_active"
)
) | 5881d60832000007f8c7dbaf55f97e70 | {
"intermediate": 0.5511687994003296,
"beginner": 0.2697781026363373,
"expert": 0.17905309796333313
} |
14,156 | Hi, Conduct a dialog with me on behalf of [a specialist in writing code in the pyhton language].
We use UTF-8 encoding, [check syntax and tabs, don't allow errors]-[step by step]. | 2a9574b79b9738882aabf671eda661f4 | {
"intermediate": 0.269472599029541,
"beginner": 0.5155116319656372,
"expert": 0.21501575410366058
} |
14,157 | java code: draw a line slowly from left to right on a JPanel | 7db5a0377efa635d03feb357a3bba72e | {
"intermediate": 0.3945873975753784,
"beginner": 0.26346102356910706,
"expert": 0.3419515788555145
} |
14,158 | Как на django ORM написать запрос равный следующему SQL запросу: SELECT url, (
SELECT
COUNT(*) AS "__count"
FROM
"catalog_categoryproduct_mv"
WHERE
(
"catalog_categoryproduct_mv"."category_id" = id
AND "catalog_categoryproduct_mv"."meta_product_is_active"
)
) | d60000e40dc782a4c3548e177a0a2696 | {
"intermediate": 0.402579128742218,
"beginner": 0.300321489572525,
"expert": 0.29709935188293457
} |
14,159 | How to get http status code from responsewriter in golang? | 62cd8f3e0c4230c6bc1f432e909086d3 | {
"intermediate": 0.5056613087654114,
"beginner": 0.11663229018449783,
"expert": 0.3777064085006714
} |
14,160 | Is there a VBA code or formula that will change the value of a cell to the Monday date of the week | 8f0d941486135db496215ed4be3367ea | {
"intermediate": 0.28351086378097534,
"beginner": 0.17219537496566772,
"expert": 0.5442937612533569
} |
14,161 | how to use dropdown_search package to create reusable DropdownSearch widget and get selected item | 4bf1c45bf3ca0df9af18913680611d4d | {
"intermediate": 0.36958035826683044,
"beginner": 0.1891861855983734,
"expert": 0.44123345613479614
} |
14,162 | java code: show , how the background color of a javafx scene is set | 5a312efcc9a8f45cce0f833ef5783811 | {
"intermediate": 0.5536864399909973,
"beginner": 0.1541391909122467,
"expert": 0.2921743392944336
} |
14,163 | def __call__(self, razbor):
line = " ".join([_["text"] for _ in razbor])
processed = self.pipeline.process(line, self.error)
answer = '\n'.join(re.findall("^\d+.+\n", processed, re.M))
# answer = "\n".join([s for s in answer.split("\n") if s and s[0].isdigit()])
answer = f"Id\tForm\tLemma\tUPosTag\tXPosTag\tFeats\tHead\tDepRel\tDeps\tMisc\n{answer}"
df = pd.read_csv(StringIO(answer), sep="\t", quoting=3)
for (_, row), d in zip(df.iterrows(), razbor):
feats = row.Feats.split("|") if "|" in row.Feats else []
self._update_token(d, {
"head_id": int(row.Head),
"rel": row.DepRel,
"pos": row.UPosTag,
**UD2OpenCorpora({_.split("=")[0]: _.split("=")[1] for _ in feats},)
}) можно ли в этой функции заменить использование библиотеки pandas на другие функции, не требующих сторонней библиотеки? | 6efc3e19d646a1e40dace13e5b9706c9 | {
"intermediate": 0.40417730808258057,
"beginner": 0.30225226283073425,
"expert": 0.29357045888900757
} |
14,164 | i need code vba to "open or browse" combined folder path not file
the first path is located in table named da with field named مكان حفظ الأرشيف
the second path is in the field سند التحويل من قسم المالية in table الطلبات
No relationship between to tabels i need code because the database is splitted in local network i need to use lookup function to add the full path and open it | 0fb4ef7066978e5a9d497b39fe2e4fc9 | {
"intermediate": 0.5417519211769104,
"beginner": 0.2083011418581009,
"expert": 0.24994692206382751
} |
14,165 | create a roblox script that makes the visuals slowly turn grayscale and indicate where i should put the script to avoid any confusion | c50d93b49997de7e21f1274ddb65a69b | {
"intermediate": 0.32035505771636963,
"beginner": 0.19640015065670013,
"expert": 0.48324480652809143
} |
14,166 | How will I write this VBA code to do the following: | 2e432161b8e2a41d21a6b84849a962e8 | {
"intermediate": 0.19542856514453888,
"beginner": 0.49474653601646423,
"expert": 0.3098248839378357
} |
14,167 | i’m trying to run a python code which i found on the net (https://levelup.gitconnected.com/cryptocurrency-portfolio-optimization-in-python-46b5bd6d6f81) with spyder, but it gives error. this error: Traceback (most recent call last):
File C:\Programs\Anaconda\lib\site-packages\requests\models.py:971 in json
return complexjson.loads(self.text, **kwargs)
File C:\Programs\Anaconda\lib\json_init_.py:346 in loads
return _default_decoder.decode(s)
File C:\Programs\Anaconda\lib\json\decoder.py:337 in decode
obj, end = self.raw_decode(s, idx=_w(s, 0).end())
File C:\Programs\Anaconda\lib\json\decoder.py:355 in raw_decode
raise JSONDecodeError(“Expecting value”, s, err.value) from None
JSONDecodeError: Expecting value
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File C:\Programs\Anaconda\lib\site-packages\spyder_kernels\py3compat.py:356 in compat_exec
exec(code, globals, locals)
File c:\users\sepanta.spyder-py3\untitled0.py:14
resp = resp.json()
File C:\Programs\Anaconda\lib\site-packages\requests\models.py:975 in json
raise RequestsJSONDecodeError(e.msg, e.doc, e.pos)
JSONDecodeError: Expecting value. this is the code i was trying to run:import pandas as pd
import requests
import time
from pypfopt import risk_models
from pypfopt.risk_models import CovarianceShrinkage
from pypfopt import expected_returns
from pypfopt.efficient_frontier import EfficientFrontier
# get the starting date in unix timestamp
date_time = ‘2020-01-01 00:00:00’
pattern = ‘%Y-%m-%d %H:%M:%S’
epoch = int(time.mktime(time.strptime(date_time, pattern)))
# get all the cryptocurrencies in USD
resp = requests.get(‘https://api.kraken.com/0/public/AssetPairs’)
resp = resp.json()
# Keep all the cryptos over USD
dollar_pairs = []
for pair in resp[‘result’]:
if pair.endswith(‘USD’):
dollar_pairs.append(pair)
# get all the unixtimestamps
tmp_url = f’https://api.kraken.com/0/public/OHLC?pair=XXBTZUSD&since={epoch}&interval=1440’.format(epoch)
resp = requests.get(tmp_url)
dummy_df = pd.DataFrame(resp.json()[‘result’][‘XXBTZUSD’])[[0]]
# create a pandas data frame and add the closing prices of each asset
df = pd.DataFrame(index=dummy_df[0])
for pair in dollar_pairs:
tmp_url = f’https://api.kraken.com/0/public/OHLC?pair={pair}&since={epoch}&interval=1440’.format(pair,epoch)
resp = requests.get(tmp_url)
tmp_df = pd.DataFrame(resp.json()[‘result’][pair])[[0,4]]
tmp_df.columns = [‘unixtimestap’, pair]
tmp_df[pair] = tmp_df[pair].astype(float)
df = pd.concat([df,tmp_df.set_index(‘unixtimestap’)], axis=1)
# remove the last row since it is not a full day
df = df[:-1].copy()
# drop the columns with a least one NA
df.dropna(axis=‘columns’, inplace=True)
# remove the other fiat currencies liker EURO and the stable coins like Tether and DAI
df.drop(columns=[‘USDCUSD’, ‘USDTZUSD’, ‘DAIUSD’, ‘ZGBPZUSD’,‘ZEURZUSD’, ‘PAXGUSD’], axis=1, inplace=True)
# calculate the mean and variance
mu = expected_returns.ema_historical_return(df, frequency=365)
Sigma = risk_models.exp_cov(df, frequency=365)
sharpe_weights = ef.max_sharpe()
(ef.clean_weights())
ef.portfolio_performance(verbose=True)
ef = EfficientFrontier(mu, Sigma)
min_vol_weights = ef.min_volatility()
(ef.clean_weights())
ef.portfolio_performance(verbose=True)
with open(“AB.json”, encoding=‘utf-8’, errors=‘ignore’) as json_data:
data = json.load(json_data, strict=False) | a2e621324e724bf2685befdc226cbe73 | {
"intermediate": 0.4463580548763275,
"beginner": 0.3774821162223816,
"expert": 0.1761598140001297
} |
14,168 | hi | c25ad48872441ce3175eef19b7cb9782 | {
"intermediate": 0.3246487081050873,
"beginner": 0.27135494351387024,
"expert": 0.40399640798568726
} |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.