row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
47,891
Generate 10 names Example: 1. Oimaurtus 2. Deothar 3. Jipoaria 4. Agenutis 5. Qowiajl 6. Lioaillux 7. Biobureo 8. Miyrthale 9. Veomeha 10. Gafishe
090f7bd90f4bca24af847ef43b4c8678
{ "intermediate": 0.3783232867717743, "beginner": 0.21111096441745758, "expert": 0.41056573390960693 }
47,892
Hi
9a5a7f147eb42e5b733da0c4ea7441c5
{ "intermediate": 0.33010533452033997, "beginner": 0.26984941959381104, "expert": 0.400045245885849 }
47,893
What could be used on linux/esxi to replace fork()\
25e40e12f2cfd10644fcfd66a3b73905
{ "intermediate": 0.40301597118377686, "beginner": 0.2421242743730545, "expert": 0.35485976934432983 }
47,894
static escapeSymbolsForMarkup(msg) { return msg.replace(/(\[[^\][]*]\(http[^()]*\))|[_*[\]()~>#+=|{}.!-]/gi, (x, y) => y ? y : '\\' + x ); } добавь ) к символам
82a39feb754233c92f081c98a7e75c81
{ "intermediate": 0.3239641487598419, "beginner": 0.42107394337654114, "expert": 0.25496187806129456 }
47,895
#include <iostream> #include <vector> #include <queue> using namespace std; void add_edge(vector<vector<pair<int, int>>> &adj, int u, int v, int weight) { adj[u].push_back({v, weight}); adj[v].push_back({u, weight}); } vector<int> dij(vector<vector<pair<int, int>>> &adj, int src, int v) { priority_queue<pair<int, int>, vector<pair<int, int>>, greater<pair<int, int>>> pq; vector<int> dist(v, 1e9); // for (int i = 0; i < v; i++) // { // dist[i] = 1e9; // } dist[src] = 0; pq.push({0, src}); while (!pq.empty()) { int curr_d = pq.top().first; int curr_n = pq.top().second; pq.pop(); if (curr_d > dist[curr_n]) continue; for (auto it : adj[curr_n]) { int n = it.first; int d = it.second; if ((dist[curr_n] + d) < dist[n]) { dist[n] = dist[curr_n] + d; } pq.push({dist[n], n}); } } return dist; } int main() { int q; cin >> q; for (int p = 0; p < q; p++) { int v, e; cin >> v >> e; vector<vector<pair<int, int>>> adj(v + 1); for (int i = 0; i < e; i++) { int u, v, weight; cin >> u >> v >> weight; add_edge(adj, u, v, weight); } int start; cin >> start; vector<int> dist = dij(adj, start, v); cout << "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa\n"; for (auto it : dist) { cout << it << " "; } } return 0; } correct the code
c0d68316ced4ce5c94813b1ea8480e67
{ "intermediate": 0.21869631111621857, "beginner": 0.5346896052360535, "expert": 0.24661403894424438 }
47,896
running AI models locally on android device
ac590ebe4562aeada764af03e6ca5d6d
{ "intermediate": 0.053547799587249756, "beginner": 0.05234652757644653, "expert": 0.8941056728363037 }
47,897
comment faire un create or replace connection.execute(text(f"""CREATE TABLE IF NOT EXISTS "CS_""" + nom_os + """" AS SELECT DISTINCT "NUMEN" FROM "public" WHERE "NUMEN" IS NOT NULL AND (""" + rg + """)"""))
f9327e2aee9d82d7769a7a8b99b4e365
{ "intermediate": 0.3197728097438812, "beginner": 0.3445390462875366, "expert": 0.33568814396858215 }
47,898
I have a router, openwrt with two interfaces 192.168.31.0/24 172.16.0.0/24 and connection to the internet directly and through wireguard subnet 172.16.0.0/24 allows to connect to the internet just through wireguard routing settings ip rule 0: from all lookup local 12: from 172.16.0.240 iif br-lan-vpn lookup 100 32766: from all lookup main 32767: from all lookup default ip route default via 192.168.2.1 dev wan proto static src 192.168.2.11 metric 1 default dev wireguard proto static scope link metric 10 10.200.200.3 dev wireguard proto static scope link metric 10 172.16.0.0/24 dev br-lan-vpn proto kernel scope link src 172.16.0.1 185.204.2.57 via 192.168.2.1 dev wan proto static metric 1 192.168.2.0/24 dev wan proto static scope link metric 1 192.168.31.0/24 dev br-lan proto static scope link metric 1 ip route show table 100 default via 10.200.200.3 dev wireguard proto static metric 10 also I have a qnap server with ip 172.16.0.240 this server is connected to the internet through 172.16.0.0/24 subnet with routing table 100 also I have a linux client with IP 192.168.31.215 I need to add some rules to openwrt server to allow connect from 192.168.31.215 to 172.16.0.240 Now I have no connection
9400e6939b13acfc1d7a7af543074ef5
{ "intermediate": 0.36427539587020874, "beginner": 0.3516847789287567, "expert": 0.28403979539871216 }
47,899
comment supprimez toutes les tables commencanr par un prefixe 'CS_' en postgresqlwith engine.begin() as connection:
b6b43c675ba74470c75e37933bfe52c4
{ "intermediate": 0.3581399619579315, "beginner": 0.2776424288749695, "expert": 0.3642176687717438 }
47,900
code me a website where users can post images and it will create a short url, through which i can share my images
63354c46ec5250ffd94fd52aa7416f1d
{ "intermediate": 0.5439566373825073, "beginner": 0.11937424540519714, "expert": 0.33666908740997314 }
47,901
function onOpen() { // Add a custom menu to the Google Slides UI. SlidesApp.getUi().createMenu('Custom Menu') .addItem('Set Transparency', 'setTransparency') .addToUi(); } function setTransparency() { var selection = SlidesApp.getActivePresentation().getSelection(); var selectedElements = selection.getPageElementRange().getPageElements(); // Loop through all selected elements for (var i = 0; i < selectedElements.length; i++) { var selectedElement = selectedElements[i]; // Check if the selected element is a shape if (selectedElement.getPageElementType() == SlidesApp.PageElementType.SHAPE) { var shape = selectedElement.asShape(); // Set the transparency of the shape to 50% shape.getFill().setTransparent(0.5); } } } fix this code pls
c34a22c5fbd2f51540edc5cf96de4b93
{ "intermediate": 0.36217159032821655, "beginner": 0.41772812604904175, "expert": 0.22010034322738647 }
47,902
how can i allow user to record voice in my site throw his mic then upload it to my site
1c1a73f37cbefe7f31c494ce6e375eff
{ "intermediate": 0.44946616888046265, "beginner": 0.2844330370426178, "expert": 0.26610079407691956 }
47,903
hoe to draw circle in image using selenium or playwright
a50bf191e4a288650205476354f88f3f
{ "intermediate": 0.40862512588500977, "beginner": 0.3138777017593384, "expert": 0.27749717235565186 }
47,904
Flask: how to make specific route can access only from local
03f1d75fc1c3b18e809d5f19b3eda9c8
{ "intermediate": 0.3605395555496216, "beginner": 0.35088780522346497, "expert": 0.28857263922691345 }
47,905
Привет! Хочу поменять цвет svg файла в состоянии hover, вот код: .header-user-profile { padding-left: 30px; font-size: 16px; font-weight: 400; color: #CC9933; background-image: url("../img/arrow_tab.svg"); background-repeat: no-repeat; background-position: left center; background-size: 24px 24px; background-position-y: -4px; } .header-user-profile:hover { color: #F0BF5F; } Нужно чтобы и background-image тоже поменял цвет, как это сделать?
7d98453460b7d81347a8234c52793179
{ "intermediate": 0.484893262386322, "beginner": 0.25063586235046387, "expert": 0.26447081565856934 }
47,906
I have a bed3 with chr, start and end. I want to extract non-unique lines. How can I do that from the command line?
286c374e9b67c8f347c8f597161f13b1
{ "intermediate": 0.43225938081741333, "beginner": 0.26820582151412964, "expert": 0.29953476786613464 }
47,907
check this code: zip([hit, pass, misc].iter(), [HIT, PASS, IRS].iter()) .for_each(|(x, y)| write_objs(x, y)); my idea is to make each pair to run in parallel, so each writing process could be done in separates cores making it faster without the necessity to change types or write_objs functionality. Help me.
31000c45c6816ddab4b5af36f3233de1
{ "intermediate": 0.3250943422317505, "beginner": 0.5396980047225952, "expert": 0.13520769774913788 }
47,908
напиши на Lua код, который получает = sampTextdrawGetShadowColor(id) и если резуальтат 4278190080 то возвращает 0 если 4294967295 то 2 и если 4292072403 то 1
265ec33e7cf23fa3374b1d6e1007edf7
{ "intermediate": 0.3870346248149872, "beginner": 0.41767266392707825, "expert": 0.19529268145561218 }
47,909
Create a JavaScript async function named: "execute" that executes the following text query, which can be in the form of a command or a question: `Mám nové správy` The query can be written in any language. The function will not accept any parameters and will return the answer as string in complete sentences in the same language as the text query is written. Return only JavaScript code, no accompanying text. You can use the already existing static methods of the following (already initialized from his classes) instances that exist in the global space: - instance "window.jjpluginFacebookChat_by_ObscurusGrassator" is defined as follows: `module.exports = class { /** * Send message by Facebook Messenger * @param { string } personName * @param { string } message * @returns { Promise<void> } */ async sendMessage(personName, message) {} /** * Returns unread messages array by sender mame from Facebook Messenger * ATTENTION: If is printing the content messages, it is necessary to mark them as read. * ATTENTION: If message reading in query is not explicitly required, it is sufficient to print only the list of senders. * @param { Object } [options] * @param { boolean } [options.makrAsReaded = false] * @param { string } [options.fromPersonName] * @returns { Promise<{[personName: string]: {message: string}[]}> } */ async getMessages({makrAsReaded = false, fromPersonName} = {}, closeBrowserTab = false) { return {}; } }; `
d563fcb08c9c5192b400df499c11b709
{ "intermediate": 0.40042462944984436, "beginner": 0.3715357184410095, "expert": 0.22803963720798492 }
47,910
no instance of overloaded function "std::set<_Key, _Compare, _Alloc>::find [with _Key=std::string, _Compare=std::less<std::string>, _Alloc=std::allocator<std::string>]" matches the argument listC/C++(304) checkText.cpp(31, 55): argument types are: (char) checkText.cpp(31, 55): object type is: std::set<std::string, std::less<std::string>, std::allocator<std::string>>
08b4b32115e2ffb20cba445b5f1b4cef
{ "intermediate": 0.42106497287750244, "beginner": 0.3481842577457428, "expert": 0.23075081408023834 }
47,911
So I am onto my next SQL (clickhouse) question: Original query for "What is the number of Quality escapes": SELECT formatDateTime(timestamp, '%Y-%m') AS month, COUNT(*) AS quality_escapes FROM cvat.events WHERE obj_val = 'rejected' GROUP BY month ORDER BY month; Next question "What is the cost of poor quality": The cvat.events each row has a duration. When we find an entry "rejected" for a given job_id, lets take every duration after it and add it. We want to sum the amount of time for all jobs per month based on this.
754fbdb0ef668b44cfe8c9b69bfd0a4d
{ "intermediate": 0.38552945852279663, "beginner": 0.3610233664512634, "expert": 0.25344720482826233 }
47,912
Write a program that declares 1 integer variable x, and then assigns 7 to it. Write an if statement to print out “Less than 10” if x is less than 10. Change x to equal 15, and notice the result (console should not display anything). java
a810f12b5034d05500da2a6731a036d6
{ "intermediate": 0.1590317040681839, "beginner": 0.7352408766746521, "expert": 0.105727419257164 }
47,913
#include <iostream> #include <bits/stdc++.h> #include <vector> #include <queue> #include <algorithm> #include <limits> #include <unordered_map> using namespace std; const long long upper_lim = 1e10; vector<long long> dij(int src, int n,vector<vector<pair<long long, int>>> adj) { vector<long long> dist(n + 1, upper_lim); priority_queue<pair<long long, int>, vector<pair<long long, int>>, greater<pair<long long, int>>> pq; dist[src] = 0; pq.push({0, src}); while (!pq.empty()) { auto [d, u] = pq.top(); pq.pop(); if (d > dist[u]) continue; // cout<<dist[u]; for (auto &[v, w] : adj[u]) { if (dist[v] >= dist[u] + w) { dist[v] = dist[u] + w; pq.push({dist[v], v}); } } } return dist; } // void func(vector<vector<int>> &adj1, vector<pair<int, int>> &dist1, vector<int> &adj2, int n, int cnt) // { // for (int i = 1; i <= n; i++) // { // if (adj2[i] != numeric_limits<int>::max()) // { // if (dist1[i].first <= adj2[i]) // { // cnt++; // } // else // { // dist1[i].first = adj2[i]; // if (dist1[i].second == 1) // { // cnt++; // } // dist1[i].second = 1; // add_edge(adj1, 1, i, dist1[i].first); // dijkstra(adj1, 1, n, dist1); // } // } // } // cout << cnt << endl; // } int main() { vector<vector<pair<long long, int>>> adj; int n, m, k; cin >> n >> m >> k; adj.assign(n + 1, vector<pair<long long, int>>()); for (int i = 0; i < m; ++i) { int u, v; long long weight; cin >> u >> v >> weight; adj[u].push_back({v, weight}); adj[v].push_back({u, weight}); } vector<pair<int, long long>> fibers(k); for (int i = 0; i < k; ++i) { int u; long long weight; cin >> u >> weight; fibers[i] = {u, weight}; adj[1].push_back({u, weight}); adj[u].push_back({1, weight}); } auto dist = dij(1, n,adj); int ans = 0; for (auto &[u, weight] : fibers) { for (auto it = adj[1].begin(); it != adj[1].end(); ++it) { if (it->first == u && it->second == weight) { // cout<<adj[1]<<"im erasing it"<<endl; adj[1].erase(it); break; } } for (auto it = adj[u].begin(); it != adj[u].end(); ++it) { if (it->first == 1 && it->second == weight) { adj[u].erase(it); break; } } auto next_d = dij(1, n,adj); if (next_d[u] == dist[u]) ++ans; adj[1].push_back({u, weight}); adj[u].push_back({1, weight}); } cout << ans << endl; return 0; } correct code to take care of repeated cfibew onnections
ec93981e5d830bf91a57090a5f582158
{ "intermediate": 0.35431188344955444, "beginner": 0.3487640917301178, "expert": 0.29692402482032776 }
47,914
I am writing a README.md, and I want to add links to both the home website and the repository of my tool used, I ended up doing something like this: ## Library used - SDL2 ([main](https://www.libsdl.org/)) ([repo](https://github.com/libsdl-org/SDL)) - SDL Mixer X ([main](https://wohlsoft.github.io/SDL-Mixer-X/)) ([repo](https://github.com/WohlSoft/SDL-Mixer-X)) But I don't know if this is common, using main and repo. I remember seen something similar to this in a documentation but I don't know if this is the correct way, or even if the word main is corrrect, what do youi think?
4c6e8408688326f9461d2bbd42ffc8f7
{ "intermediate": 0.7386518716812134, "beginner": 0.12235528975725174, "expert": 0.1389928013086319 }
47,915
How can a person calculate a square root by hand?
6c4145cd3e701f27a766bb373ef4fc51
{ "intermediate": 0.43480443954467773, "beginner": 0.39869287610054016, "expert": 0.1665027141571045 }
47,916
Could you write a script that creates levels for a game where you always move right and either jump or fall?
757182b3c056b891b0bd5187e613c3c8
{ "intermediate": 0.3330515921115875, "beginner": 0.2055548131465912, "expert": 0.4613935649394989 }
47,917
package com.medicdigital.jjpodcasts.presentation.podcasts.adapter import android.view.View import com.bumptech.glide.Glide import com.bumptech.glide.request.RequestOptions import com.chad.library.adapter.base.BaseQuickAdapter import com.chad.library.adapter.base.viewholder.BaseViewHolder import com.medicdigital.jjpodcasts.R import com.medicdigital.jjpodcasts.data.remote.response.NodeItem import com.medicdigital.jjpodcasts.presentation.extentions.getRoundedOutlineProvider import com.medicdigital.jjpodcasts.presentation.podcasts.EpisodesClick import com.medicdigital.jjpodcasts.presentation.utils.Constants import com.medicdigital.jjpodcasts.presentation.utils.getNodeFeatureImage import com.medicdigital.jjpodcasts.presentation.utils.getNodeImage import com.medicdigital.jjpodcasts.presentation.utils.getTypeWithPriorityEx //import kotlinx.android.synthetic.main.item_podcast_featured.view.* class PodcastFeaturedListAdapter(private val itemClickListener: EpisodesClick?, private val itemWidth: Int, private val itemHeight: Int) : BaseQuickAdapter<NodeItem, BaseViewHolder>(R.layout.item_podcast_featured), View.OnClickListener { override fun convert(holder: BaseViewHolder, item: NodeItem) { val itemView = holder.itemView val ivPodcastFeatured = itemView.iv_podcast_featured_logo ivPodcastFeatured.layoutParams.height = itemHeight Glide.with(context) .load(getNodeFeatureImage(item?.assets ?: arrayListOf()) ?: getNodeImage(item?.assets ?: arrayListOf())) .placeholder(R.drawable.ic_microfon_gray) .apply(RequestOptions.fitCenterTransform()) .into(ivPodcastFeatured) itemView.txt_podcast_featured.text = item?.name itemView.vg_podcast_featured_logo.apply { tag = item setOnClickListener(this@PodcastFeaturedListAdapter) outlineProvider = context.getRoundedOutlineProvider(alpha = .3f, cornerRadius = R.dimen.corner_4) } } override fun onClick(v: View?) { v ?: return val nodeItem = v.tag as? NodeItem? when (v.id) { R.id.vg_podcast_featured_logo -> { if (nodeItem?.type == Constants.TYPE_PODCAST_EPISODE.toString()) { when (getTypeWithPriorityEx(nodeItem, nodeItem.url, nodeItem.quiz)) { Constants.TYPE_VIDEO -> { itemClickListener?.onEpisodeClick(nodeItem, getTypeWithPriorityEx(nodeItem, nodeItem.url, nodeItem.quiz)) } Constants.TYPE_AUDIO -> { itemClickListener?.onEpisodeClick(nodeItem, getTypeWithPriorityEx(nodeItem, nodeItem.url, nodeItem.quiz)) } Constants.TYPE_PDF -> { itemClickListener?.onEpisodeClick(nodeItem, getTypeWithPriorityEx(nodeItem, nodeItem.url, nodeItem.quiz)) } Constants.TYPE_GALLERY -> { itemClickListener?.onEpisodeClick(nodeItem, getTypeWithPriorityEx(nodeItem, nodeItem.url, nodeItem.quiz)) } Constants.EXTERNAL_LINK -> { itemClickListener?.onEpisodeClick(nodeItem, getTypeWithPriorityEx(nodeItem, nodeItem.url, nodeItem.quiz)) } Constants.QUIZ -> { itemClickListener?.onEpisodeClick(nodeItem, getTypeWithPriorityEx(nodeItem, nodeItem.url, nodeItem.quiz)) } } } else { itemClickListener?.onNodeWithDetailInfoClick(nodeItem) } } } } } synthetic is depricated use view bindinhg
d508fb64a179712676719edc239fa96f
{ "intermediate": 0.24118143320083618, "beginner": 0.5206711292266846, "expert": 0.23814748227596283 }
47,918
warning: [dagger.android.AndroidInjector.Builder.build()] com.medicdigital.jjpodcasts.di.AppComponent.Builder.build() returns dagger.android.AndroidInjector<com.medicdigital.jjpodcasts.App>, but com.medicdigital.jjpodcasts.di.AppComponent declares additional component method(s): inject(com.medicdigital.jjpodcasts.presentation.utils.AppStyles). In order to provide type-safe access to these methods, override build() to return com.medicdigital.jjpodcasts.di.AppComponent public static abstract class Builder extends dagger.android.AndroidInjector.Builder<com.medicdigital.jjpodcasts.App> {
dc8a153219c0703b1cd73b4a0dbf5461
{ "intermediate": 0.36452150344848633, "beginner": 0.3677230477333069, "expert": 0.2677554488182068 }
47,919
/home/sourav/Downloads/AIMeCAST-andriodapp-a8bbcfd55c39/app/build/generated/data_binding_base_class_source_out/amcoeDebug/out/com/medicdigital/jjpodcasts/databinding/ItemPdfBinding.java:13: error: package com.necistudio.vigerpdf.utils does not exist import com.necistudio.vigerpdf.utils.PhotoView;
b91fec8cfb3e69d8b1e41afd2860577f
{ "intermediate": 0.46778571605682373, "beginner": 0.2703830897808075, "expert": 0.261831134557724 }
47,920
Manifest merger failed : Attribute application@allowBackup value=(false) from AndroidManifest.xml:20:3-30 is also present at [com.github.aerdy:Viger-PDF:1.2] AndroidManifest.xml:14:9-35 value=(true). Suggestion: add 'tools:replace="android:allowBackup"' to <application> element at AndroidManifest.xml:18:2-147:16 to override.
39329eede6c3ce2d77351a0b312740e8
{ "intermediate": 0.4054950475692749, "beginner": 0.28405243158340454, "expert": 0.31045252084732056 }
47,921
Unexpected text found in manifest file: "tools:replace=“android:allowBackup”" More... (Ctrl+F1)
9e30f3f0d426a97c6de44cefe17d0abc
{ "intermediate": 0.41204506158828735, "beginner": 0.31565696001052856, "expert": 0.27229800820350647 }
47,922
<?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools"> <uses-permission android:name="android.permission.INTERNET" /> <uses-permission android:name="android.permission.CAMERA" /> <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" /> <uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE" /> <uses-permission android:name="android.permission.FOREGROUND_SERVICE" /> <uses-feature android:name="android.hardware.camera.any" android:required="false" /> <uses-feature android:name="android.hardware.camera.autofocus" android:required="false" /> <application android:name=".App" android:allowBackup="false" android:hardwareAccelerated="true" android:icon="@mipmap/ic_launcher" android:label="@string/app_name" android:largeHeap="true" android:roundIcon="@mipmap/ic_launcher_round" android:supportsRtl="true" android:theme="@style/AuthActivity"> tools:replace="android:allowBackup <provider android:name=".presentation.pdf.GenericFileProvider" android:authorities="${applicationId}.provider" android:exported="false" android:grantUriPermissions="true"> <meta-data android:name="android.support.FILE_PROVIDER_PATHS" android:resource="@xml/provider_paths" /> </provider> <activity android:exported="true" android:name=".presentation.splash.activity.ActivitySplash" android:screenOrientation="portrait" android:theme="@style/AuthActivity"> <tools:validation testUrl="https://jjpwebdev.medicdigital.com/auth-code/test2" /> <intent-filter> <action android:name="android.intent.action.MAIN" /> <category android:name="android.intent.category.LAUNCHER" /> </intent-filter> <intent-filter android:autoVerify="true"> <action android:name="android.intent.action.VIEW" /> <category android:name="android.intent.category.DEFAULT" /> <category android:name="android.intent.category.BROWSABLE" /> <data android:host="${hostName}" android:pathPattern="/auth-code/.*" android:scheme="https" /> </intent-filter> <intent-filter> <action android:name="android.intent.action.VIEW" /> <category android:name="android.intent.category.DEFAULT" /> <category android:name="android.intent.category.BROWSABLE" /> <data android:host="jnjpodcastdev.ichannelmedia.com" android:pathPrefix="/share/redirect" android:scheme="https" /> </intent-filter> </activity> <activity android:name=".presentation.login.activity.LoginAsGuestActivity" android:screenOrientation="portrait" /> <activity android:name=".presentation.forgotpass.activity.ForgotPasswordActivity" android:screenOrientation="portrait" /> <activity android:name=".presentation.register.activity.RegisterActivity" android:parentActivityName=".presentation.login.activity.LoginAsGuestActivity" android:screenOrientation="portrait" /> <activity android:name=".presentation.terms.activity.TermActivity" android:screenOrientation="portrait" /> <activity android:name=".presentation.interests.activity.InterestsActivity" android:screenOrientation="portrait" /> <activity android:name=".presentation.main.activity.MainActivity" android:configChanges="keyboardHidden|orientation|screenSize" /> <activity android:name=".presentation.news.fullscreenplayer.FullScreenPlayerActivity" /> <activity android:name=".presentation.news.NewsActivity" android:screenOrientation="portrait" /> <activity android:name=".presentation.auth.activity.AuthActivity" android:exported="false" android:screenOrientation="portrait" /> <activity android:name=".presentation.pdf.ActivityPDF" /> <activity android:name=".presentation.multiselect.ActivityMultiselect" android:screenOrientation="portrait" /> <activity android:name="com.theartofdev.edmodo.cropper.CropImageActivity" android:theme="@style/Base.Theme.AppCompat" /> <activity android:name=".presentation.LiveStreamActivity" /> <meta-data android:name="com.facebook.sdk.ApplicationId" android:value="@string/facebook_app_id" /> <service android:name=".FCMService" android:exported="false"> <intent-filter> <action android:name="com.google.firebase.MESSAGING_EVENT" /> </intent-filter> </service> <service android:name=".PlayerService" android:exported="false" /> <service android:name=".service.StatisticsService" android:exported="false" /> <meta-data android:name="com.google.android.gms.version" android:value="@integer/google_play_services_version" tools:replace="android:value" /> </application> </manifest> write wherver there is ro
2a9cd1b0ef2473d6023b480dc36c1a04
{ "intermediate": 0.35263073444366455, "beginner": 0.40632909536361694, "expert": 0.24104012548923492 }
47,923
import os import pandas as pd import nltk from nltk.stem import WordNetLemmatizer # Download required NLTK resources nltk.download('wordnet') # Get the directory of the current script script_dir = os.path.dirname(os.path.abspath(__file__)) # Construct the path to the input file relative to the script directory input_file = os.path.join(script_dir, '..', 'Data', 'FrequencyWithFiles.csv') # Construct the path to the output directory relative to the script directory output_dir = os.path.join(script_dir, '..', 'Data') # Create the output directory if it doesn't exist os.makedirs(output_dir, exist_ok=True) # Initialize the WordNet lemmatizer lemmatizer = WordNetLemmatizer() # Read the input file df = pd.read_csv(input_file) # Lemmatize the words in the first column lemmatized_words = [lemmatizer.lemmatize(word) for word in df['Word'] if isinstance(word, str)] # Create a new DataFrame with lemmatized words and frequencies lemma_freq = pd.DataFrame({'Lemma': lemmatized_words, 'Frequency': df['Frequency']}) # Group the DataFrame by 'Lemma' and sum the 'Frequency' lemma_freq = lemma_freq.groupby('Lemma')['Frequency'].sum().reset_index() # Sort the DataFrame by 'Frequency' in descending order lemma_freq = lemma_freq.sort_values(by='Frequency', ascending=False) # Save the DataFrame to a CSV file output_file = os.path.join(output_dir, 'Lemma.csv') lemma_freq.to_csv(output_file, index=False) this code is throwing this error correct it File "/home/ryans/Documents/College Files/6th Semester/Natural Language Processing/Project/Git/Analysis-of-Cricket-Commentary/Code/Lemma.py", line 30, in <module> lemma_freq = pd.DataFrame({"Lemma": lemmatized_words, "Frequency": df["Frequency"]}) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/home/ryans/anaconda3/lib/python3.11/site-packages/pandas/core/frame.py", line 733, in __init__ mgr = dict_to_mgr(data, index, columns, dtype=dtype, copy=copy, typ=manager) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/home/ryans/anaconda3/lib/python3.11/site-packages/pandas/core/internals/construction.py", line 503, in dict_to_mgr return arrays_to_mgr(arrays, columns, index, dtype=dtype, typ=typ, consolidate=copy) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/home/ryans/anaconda3/lib/python3.11/site-packages/pandas/core/internals/construction.py", line 114, in arrays_to_mgr index = _extract_index(arrays) ^^^^^^^^^^^^^^^^^^^^^^ File "/home/ryans/anaconda3/lib/python3.11/site-packages/pandas/core/internals/construction.py", line 690, in _extract_index raise ValueError(msg) ValueError: array length 47610 does not match index length 47612
60d0cdc6936d89346582fa65c7bc26bd
{ "intermediate": 0.3819798231124878, "beginner": 0.3634214997291565, "expert": 0.2545986771583557 }
47,924
can you represent coordinates using a single value, if this is possible give me code to implement such algorithm, maybe i can compare its memory efficiency compared to the regular way we store coordinates data for vectors and points in 3D space
93dfc27ae929ccba6936db8f43f63c92
{ "intermediate": 0.27116578817367554, "beginner": 0.08083602786064148, "expert": 0.6479981541633606 }
47,925
In the following VBA code, how would i set the print settings to set the scaling to fit sheet on one page: Sub UberQuickTotals() Dim uberReport As Workbook ' Declare a variable to represent the workbook Dim mainSheet As Worksheet ' Declare a variable to represent the source worksheet in the workbook Dim lastRow As Long Dim dataRange As Range Dim targetCell As Range Dim printRange As Range Columns("E").ColumnWidth = 12 ' Adjust column width Columns("M").ColumnWidth = 10 ' Determine the last row with data in column L lastRow = Cells(Rows.Count, "L").End(xlUp).Row ' Define the data range Set dataRange = Range("L3:M" & lastRow) ' Select a cell 1 below the bottom of the selected range in column L Set targetCell = Range("L" & lastRow + 1) targetCell.Select ' Enter text into the selected cell targetCell.Value = "Total:" ' Change "Text to enter" to your desired text ' Move the cell focus one column to the right and enter formula ActiveCell.Offset(0, 1).Select Selection.Formula = "=sum(" & dataRange.Address & ")" Selection.NumberFormat = "$#,##0.00" 'Sets the range to be printed Set printRange = Range("A1:M" & lastRow + 1) ' Define the print area using the printRange ActiveSheet.PageSetup.PrintArea = printRange.Address ' Set orientation to landscape ActiveSheet.PageSetup.Orientation = xlLandscape ' Temporarily suppress warnings Application.DisplayAlerts = False ' Attempt to print the active sheet On Error GoTo PrintError ActiveSheet.PrintOut ' Enable warnings again Application.DisplayAlerts = True ' Print successful MsgBox "Printing successful!", vbInformation Exit Sub PrintError: ' Print failed MsgBox "Failed to print. Error: " & Err.Description, vbCritical ' Enable warnings again Application.DisplayAlerts = True End Sub
7a99792c49a9411d64ef10a4583d84bf
{ "intermediate": 0.4429618716239929, "beginner": 0.3270292282104492, "expert": 0.23000891506671906 }
47,926
Hi, I'm making a web app with ClojureScript, react, and re-frame. I'm trying to write code to handle this dropdown menu: (defn quote-actions [sales-contractor? _ id {{:keys [status sales-order-file-url editable] :as quote} :raw-data idx :idx}] (ra/with-let [approved-quote-exists? @(subscribe [:quote.job/approved-quotes-exist?]) branding-theme-set? @(subscribe [:organisation/branding-themes]) approve-disabled? @(subscribe [:quote.job/approve-button-disabled? idx]) reject-disabled? @(subscribe [:quote.job/reject-button-disabled? idx])] [new/dropdown-button-menu {:id "quote-actions" :label "Quote Actions" :dropdown-toggle {:color (dropdown-color-logic status approved-quote-exists?)} :items [{:label [:div.d-flex "Approve" (when (and (not (= status :approved)) approved-quote-exists?) [ui/with-popover [:i.fas.fa-question-circle.fa-md.ml-2 {:id (str "approved-existing-" id)}] "An approved quote already exists. If you wish to approve this quote, reject that one first."])] :disabled approve-disabled? :on-click #(dispatch [:quote.job/open-comment-modal id :approved])} {:label "Reject" :disabled reject-disabled? :on-click #(dispatch [:quote.job/open-comment-modal id :rejected])} {:label [:div.d-flex (if sales-order-file-url "Recreate Sales Order" "Create Sales Order") [ui/with-popover [:i.fas.fa-question-circle.fa-md.ml-2 {:id (str "sales-order-comment-" id)}] (sales-order-popover-logic status editable)]] :disabled (or (not (= status :approved)) ;; Only enable sales order button for approved quotes, and only if the branding theme is set up. (not (:sales-orders branding-theme-set?)) ;; Old quotes which don't store quote data cannot make sales orders (not editable)) :on-click #(dispatch [:quote.job/api-create-sales-order id])} ;; Sales contractors cannot delete quotes (GOJ 2105) (when-not sales-contractor? [:hr]) ;; processed as separate line items (when-not sales-contractor? {:label "Delete" :on-click #(dispatch [::events/api-delete-quote id])})]}])) I got comments that it shouldn't be able to pass through raw Hiccup formatted like, but I need this feature to directly insert the horizontal rule and for other use cases as well. Here's the specifics of how that code is handled in the new/ namespace. (defn dropdown-item-interpreter [config] (let [label (:label config)] (cond (not (nil? label)) [components/dropdown-item config label] ;; if it's properly formatted, we expect it to be a dropdown item :else config))) (def default-styles-dropdown-button {:label "Actions" :dropdown-button {:id (str "dropdown-button") ;; If there are multiple dropdowns with the same ID this leads to problems. ;; You should set this manually. :direction "down"} :dropdown-toggle {:key "dropdown-toggle" :style {:width ""} :color "primary" :caret true} :dropdown-menu {:key "dropdown-menu" :class "dropdown-menu-right"} ;; These items are here to show examples of the structure. ;; :items [{:disabled false ;; :label "Clickable item"} ;; {:disabled true ;; :label [:div.d-flex ;; "Disabled item " ;; [:i.fas.fa-question-circle.fa-md.ml-2]]}] }) (defn dropdown-button-menu "Standard dropdown menu button for Gojee. Takes a config map. Required: `:id` `:items` [{:label :disabled (boolean) :on-click (usually dispatch)} []] (will pass through raw hiccup into the menu) Recommended: `:label` (string) Optional: `:dropdown-button` {:direction (up/down, string) :class :style {:height}} `:dropdown-toggle` {:style {:width} :color :caret} `:dropdown-menu` {:class}" [{:keys [id label dropdown-button dropdown-toggle dropdown-menu items] :or {label (:label default-styles-dropdown-button)}}] (ra/with-let [is-open (ra/atom false) default default-styles-dropdown-button] (fn [] [components/dropdown-button (merge (:dropdown-button default) dropdown-button {:is-open @is-open :key (str id "-button") :toggle #(reset! is-open (not @is-open))}) [components/dropdown-toggle (merge (:dropdown-toggle default) dropdown-toggle {:key (str id "-toggle")}) label] [components/dropdown-menu (merge (:dropdown-menu default) dropdown-menu) (map dropdown-item-interpreter items)]]))) ;; TODO: make separate keys generate How should I go about doing this?
16762fc9ec3dee0f03e21bcb64dde533
{ "intermediate": 0.5472031235694885, "beginner": 0.3396226167678833, "expert": 0.11317423731088638 }
47,927
c# what if i have interface that has property ILIst<ISomeOtherInterface>, how i can implement this interface but store not interface in this list
b78dfc7af92fc0df343c1be8c6233eb0
{ "intermediate": 0.6560592651367188, "beginner": 0.11220238357782364, "expert": 0.2317383736371994 }
47,928
How do i make this VBA code quit without saving: If Application.Workbooks.Count = 2 Then ' Only quit Excel if there are no other workbooks open Application.Quit
9583de43067b9425e4d3adcad6834ef8
{ "intermediate": 0.5154798626899719, "beginner": 0.2928219735622406, "expert": 0.19169814884662628 }
47,929
In Windows 11, under Storage > System & Reserved, it says that Hibernation File is occupying over 100 GB. That'
30f6fadd548a0f2bd9e94be7d5e9983c
{ "intermediate": 0.3638852536678314, "beginner": 0.28401586413383484, "expert": 0.35209885239601135 }
47,930
getting thsi error Error detected while processing /home/ryans/.config/nvim/init.lua: Invalid spec module: `plugins.alpha` Expected a `table` of specs, but a `boolean` was returned instead for this alpha.lua code for my nvim ----------------------------------------------------------- -- Dashboard configuration file ----------------------------------------------------------- -- Plugin: alpha-nvim -- url: https://github.com/goolord/alpha-nvim -- For configuration examples see: https://github.com/goolord/alpha-nvim/discussions/16 local status_ok, alpha = pcall(require, 'alpha') if not status_ok then return end local dashboard = require('alpha.themes.dashboard') -- Footer local function footer() local version = vim.version() local print_version = "v" .. version.major .. '.' .. version.minor .. '.' .. version.patch local datetime = os.date('%Y/%m/%d %H:%M:%S') return print_version .. ' - ' .. datetime end -- Banner local banner = { " ", " ███╗ ██╗███████╗ ██████╗ ██╗ ██╗██╗███╗ ███╗ ", " ████╗ ██║██╔════╝██╔═══██╗██║ ██║██║████╗ ████║ ", " ██╔██╗ ██║█████╗ ██║ ██║██║ ██║██║██╔████╔██║ ", " ██║╚██╗██║██╔══╝ ██║ ██║╚██╗ ██╔╝██║██║╚██╔╝██║ ", " ██║ ╚████║███████╗╚██████╔╝ ╚████╔╝ ██║██║ ╚═╝ ██║ ", " ╚═╝ ╚═══╝╚══════╝ ╚═════╝ ╚═══╝ ╚═╝╚═╝ ╚═╝ ", " ", } dashboard.section.header.val = banner -- Menu dashboard.section.buttons.val = { dashboard.button('e', ' New file', ':ene <BAR> startinsert<CR>'), dashboard.button('f', ' Find file', ':NvimTreeOpen<CR>'), dashboard.button('s', ' Settings', ':e $MYVIMRC<CR>'), dashboard.button('u', ' Update plugins', ':Lazy update<CR>'), dashboard.button('q', ' Quit', ':qa<CR>'), } dashboard.section.footer.val = footer() alpha.setup(dashboard.config)
095188b68d63fb63251d79a4a455f14a
{ "intermediate": 0.3640711307525635, "beginner": 0.39467549324035645, "expert": 0.2412533313035965 }
47,931
can you enhance this code: import random # Function to generate a random key for encryption def generate_key(length): key = '' for i in range(length): key += chr(random.randint(32, 126)) return key # Function to encrypt data using a product cipher def encrypt(text, key1, key2): encrypted_text = '' for char in text: encrypted_text += chr((ord(char) ^ ord(key1)) * ord(key2)) return encrypted_text # Function to decrypt data using a product cipher def decrypt(encrypted_text, key1, key2): decrypted_text = '' for char in encrypted_text: decrypted_text += chr((ord(char) // ord(key2)) ^ ord(key1)) return decrypted_text # Generate random keys key1 = generate_key(1) key2 = generate_key(1) # Sample text to encrypt text = "my name is adam" # Encrypt the text encrypted_text = encrypt(text, key1, key2) print("Encrypted text:", encrypted_text) # Decrypt the encrypted text decrypted_text = decrypt(encrypted_text, key1, key2) print("Decrypted text:", decrypted_text)
c40ec42fbb112a11d5f0cc7c233ddd02
{ "intermediate": 0.39425376057624817, "beginner": 0.3345271050930023, "expert": 0.2712191045284271 }
47,932
characters ◢ 📁 models ◢ 📁 nozb1 ◢ 📁 yoshino_player_model 📄 yoshino_player_model.vmdl_c ◢ 📁 chocola_player_model 📄 chocola_player_model.vmdl_c ◢ 📁 komo_player_model 📄 komo_player_model.vmdl_c ◢ 📁 cybernetic_closer_player_model 📄 cybernetic_closer_player_model.vmdl_c ◢ 📁 miku_sea_player_model 📄 miku_sea_player_model.vmdl_c ◢ 📁 amber_player_model 📄 amber_player_model.vmdl_c ◢ 📁 kujousara_player_model 📄 kujousara_player_model.vmdl_c ◢ 📁 eula_player_model 📄 eula_player_model.vmdl_c ◢ 📁 eremitedesert_player_model 📄 eremitedesert_player_model.vmdl_c ◢ 📁 wriothesley_player_model 📄 wriothesley_player_model.vmdl_c ◢ 📁 nia_player_model 📄 nia_player_model.vmdl_c ◢ 📁 charlotte_player_model 📄 charlotte_player_model.vmdl_c ◢ 📁 sonic_miku_player_model 📄 sonic_miku_player_model.vmdl_c ◢ 📁 laremicat_player_model 📄 laremicat_player_model.vmdl_c ◢ 📁 gawr_gura_player_model 📄 gawr_gura_player_model.vmdl_c ◢ 📁 silver_wolf_player_model 📄 silver_wolf_player_model.vmdl_c ◢ 📁 zerorem_player_model 📄 zerorem_player_model.vmdl_c ◢ 📁 vulpes_player_model 📄 vulpes_player_model.vmdl_c ◢ 📁 megumi_player_model 📄 megumi_player_model.vmdl_c ◢ 📁 adult_neptune_player_model 📄 adult_neptune_player_model.vmdl_c ◢ 📁 romasha_player_model 📄 romasha_player_model.vmdl_c| make it all to plain text paths like test/test2/test3
baf0ab3a92c5720f67e01562e490d7c8
{ "intermediate": 0.36825576424598694, "beginner": 0.4413023591041565, "expert": 0.19044192135334015 }
47,933
I have 3 .h files and 3.cpp files. Could you see some error and fix them. Here is part 1: Degree.h: #pragma once #include <string> enum class DegreeProgram {SECURITY, NETWORK, SOFTWARE }; static const std::string DegreeProgramStr[] = {"SECURITY", "NETWORK", "SOFTWARE"}; Student.h: #pragma once #include <iostream> #include <iomanip> #include "Degree.h" class Student { public: const static int daysToCompleteCourses = 3; // Array holding number of days to complete each course private: std::string studentID; std::string firstName; std::string lastName; std::string emailAddress; int age; int numberOfDays[daysToCompleteCourses]; DegreeProgram degreeProgram; public: Student(); // Constructor Student(std::string studentID, std::string firstName, std::string lastName, std::string emailAddress, int age, int numberOfDays, DegreeProgram degreeProgram); // Destructor ~Student(); // Accessor functions for each instance variable std::string getStudentID(); std::string getFirstName(); std::string getLastName(); std::string getEmailAddress(); int getAge(); int* getNumberOfDays(); DegreeProgram getDegreeProgram(); // Mutator functions for each instance variable void setStudentID( std::string studentID); void setFirstName( std::string firstName); void setLastName( std::string lastName); void setEmailAddress( std::string emailAddress); void setAge(int age); void setNumberOfDays(int numberOfDays[]); void setDegreeProgram(DegreeProgram dp); // print() to print specific student data void print(); }; Student.cpp: #include "Student.h" Student::Student() { this->studentID = ""; this->firstName = ""; this->lastName = ""; this->emailAddress = ""; this->age = 0; for (int i = 0; i < daysToCompleteCourses; i++) this->numberOfDays[i] = 0; this->degreeProgram = DegreeProgram::SECURITY; } Student::Student(std::string studentID, std::string firstName, std::string lastName, std::string emailAddress , int age, int numberOfDays[], DegreeProgram degreeProgram) { this->studentID = studentID; this->firstName = firstName; this->lastName = lastName; this->emailAddress = emailAddress; this->age = age; for (int i = 0; i < daysToCompleteCourses; i++) this->numberOfDays[i] = numberOfDays[i]; this->degreeProgram = degreeProgram; } Student::~Student() {} //Distructor does nothing // Accessor implementations std::string Student::getStudentID() {return this->studentID;} std::string Student::getFirstName() {return this->firstName;} std::string Student::getLastName() {return this->lastName;} std::string Student::getEmailAddress() { return this->emailAddress;} int Student::getAge() {return this->age;} int* Student::getnumberOfDays() { return this->numberOfDays;} DegreeProgram Student::getDegreeProgram() { return this->degreeProgram;} // Mutator implementations void Student::setStudentID(std::string StudentID) { this->studentID = studentID; } void Student::setFirstName(std::string FirstName) { this->firstName = FirstName; } void Student::setLastName(std::string LastName) { this->lastName = lastName; } void Student::setEmailAddress(std::string EmailAddress) { this->emailAddress = emailAddress; } void Student::setAge(int Age) { this->age = age;} void Student::setnumberOfDays(numberOfDays[]) { this->numberOfDays[0] = numberOfDays[0]; this->numberOfDays[1] = numberOfDays[1]; this->numberOfDays[2] = numberOfDays[2]; } void Student::setDegreeProgram(DegreeProgram dp) {this->degreeProgram dp;} void Student::printHeader() {std::cout << "First Name | Last Name | Email | Age | Days in Course | Degree Program" << std::endl;} // print() function to print specific student data void Student::print() { std::cout << "Student ID : " << this->getStudentID() << "\t"; std::cout << "First Name: " << this->getFirstName() << "\t"; std::cout << "Last Name: " << this->getLastName() << "\t"; std::cout << "Email Address: " << this->getEmailAddress() << "\t"; std::cout << "Age: " << this->getAge() << "\t"; std::cout << "daysInCourse: {" << this->numberOfDays() [0] << ", "<< this->numberOfDays() [1] << ", " << this->numberOfDays() [2] << "}" << "\t"; //DegreeProgram to string std::cout << DegreeProgramStr[this->getDegreeProgram()] << std::endl;
cb98b7af6407e002f082c0ecb2c56010
{ "intermediate": 0.4094850420951843, "beginner": 0.4328821897506714, "expert": 0.1576327681541443 }
47,934
Write a python function to check if an integer is a palindrome without converting to a str
c4ca1807348a298d0ff48c50cd473cb9
{ "intermediate": 0.3935014605522156, "beginner": 0.31497666239738464, "expert": 0.2915218770503998 }
47,935
return { "goolord/alpha-nvim", dependencies = { "nvim-tree/nvim-web-devicons", }, config = function() local alpha = require("alpha") local dashboard = require("alpha.themes.startify") dashboard.section.header.val = { [[ ]], [[ ]], [[ ]], [[ ]], [[  ]], [[ ████ ██████ █████ ██ ]], [[ ███████████ █████  ]], [[ █████████ ███████████████████ ███ ███████████ ]], [[ █████████ ███ █████████████ █████ ██████████████ ]], [[ █████████ ██████████ █████████ █████ █████ ████ █████ ]], [[ ███████████ ███ ███ █████████ █████ █████ ████ █████ ]], [[ ██████ █████████████████████ ████ █████ █████ ████ ██████ ]], [[ ]], [[ ]], [[ ]], } alpha.setup(dashboard.opts) end, } can you make it such that all this is centered on my screen instead of it being to the left
046ddcdcf3306e3bfa90a4014d5b9cac
{ "intermediate": 0.2853771448135376, "beginner": 0.3980278968811035, "expert": 0.31659501791000366 }
47,936
how do i solve this error ValueError: Fernet key must be 32 url-safe base64-encoded bytes. in this code from cryptography.fernet import Fernet input_file_path = r'C:\Users\Abu Bakr Siddique\Desktop\Test.txt' encrypted_file_path = r'C:\Users\Abu Bakr Siddique\Desktop\Test2.txt' decrypted_file_path = r'C:\Users\Abu Bakr Siddique\Desktop\Test3.txt' def generate_key(): """""" #Generates a key and save it into a file# """""" key = Fernet.generate_key() with open("input_file_path", "wb") as key_file: key_file.write(key) return key def load_key(): """""" #Loads the key from the current directory named secret.key# """""" return open("input_file_path", "rb").read() def encrypt_file(encrypted_file_path, key): """""" #Given a filename (str) and key (bytes), it encrypts the file and write it# """""" f = Fernet(key) with open(input_file_path, "rb") as file: # read all file data file_data = file.read() encrypted_data = f.encrypt(file_data) with open(encrypted_file_path, "wb") as file: file.write(encrypted_data) def decrypt_file(decrypted_file_path, key): """""" #Given a filename (str) and key (bytes), it decrypts the file and write it# """""" f = Fernet(key) with open(decrypted_file_path, "rb") as file: # read the encrypted data encrypted_data = file.read() decrypted_data = f.decrypt(encrypted_data) with open(decrypted_file_path, "wb") as file: file.write(decrypted_data) #Encrypt the file encrypt_file(input_file_path, "wb") print(f"{input_file_path} has been encrypted.") #Decrypt the file decrypt_file(decrypted_file_path, "rb") print(f"{decrypted_file_path} has been decrypted.") #Encrypt the file again encrypt_file(encrypted_file_path, "wb") print(f"{encrypted_file_path} has been encrypted again.")
5c218ee001051c80fd3824b9a861fc2e
{ "intermediate": 0.4166245460510254, "beginner": 0.3780920207500458, "expert": 0.20528344810009003 }
47,937
class MplCanvas(FigureCanvas): """docstring for MplCanvas""" def __init__(self, parent = None, width = 5, height = 4, dpi = 100): fig = Figure(figsize = (width, height), dpi = dpi) self.axes = fig.add_subplot(111) super(MplCanvas, self).__init__(fig) fig.tight_layout what does this do in MPcanvas
a1940312a2cede74e8e590df9ac700c4
{ "intermediate": 0.4304707944393158, "beginner": 0.34021174907684326, "expert": 0.22931739687919617 }
47,938
I have 3 .h and 3.cpp files. When I run them it does not Displaying all students, Displaying invalid emails, and Displaying average days in course. But it does display Displaying by degree program(which is good). part 1:Degree.h: #pragma once #include <string> enum class DegreeProgram {SECURITY, NETWORK, SOFTWARE }; static const std::string DegreeProgramStr[] = {"SECURITY", "NETWORK", "SOFTWARE"}; Student.h: #pragma once #include <iostream> #include <iomanip> #include "Degree.h" class Student { public: static const int daysToCompleteCourses = 3; // Array holding number of days to complete each course private: std::string studentID; std::string firstName; std::string lastName; std::string emailAddress; int age; int numberOfDays[daysToCompleteCourses]; DegreeProgram degreeProgram; public: Student(); // Default constructor Student(std::string studentID, std::string firstName, std::string lastName, std::string emailAddress, int age, int numberOfDays[], DegreeProgram degreeProgram); // Parameterized constructor ~Student(); // Destructor // Accessor (getter) functions std::string getStudentID(); std::string getFirstName(); std::string getLastName(); std::string getEmailAddress(); int getAge(); int* getNumberOfDays(); DegreeProgram getDegreeProgram(); // Mutator (setter) functions void setStudentID(std::string studentID); void setFirstName(std::string firstName); void setLastName(std::string lastName); void setEmailAddress(std::string emailAddress); void setAge(int age); void setNumberOfDays(int numberOfDays[]); void setDegreeProgram(DegreeProgram dp); // Other functions void print(); }; Student.cpp: #include "Student.h" // Default constructor Student::Student() { studentID = ""; firstName = ""; lastName = ""; emailAddress = ""; age = 0; for (int i = 0; i < daysToCompleteCourses; i++) numberOfDays[i] = 0; degreeProgram = DegreeProgram::SECURITY; } // Parameterized constructor Student::Student(std::string studentID, std::string firstName, std::string lastName, std::string emailAddress, int age, int numberOfDays[], DegreeProgram degreeProgram) { this->studentID = studentID; this->firstName = firstName; this->lastName = lastName; this->emailAddress = emailAddress; this->age = age; for (int i = 0; i < daysToCompleteCourses; i++) this->numberOfDays[i] = numberOfDays[i]; this->degreeProgram = degreeProgram; } // Destructor Student::~Student() { // Empty for now } // Accessor implementations std::string Student::getStudentID() { return studentID; } std::string Student::getFirstName() { return firstName; } std::string Student::getLastName() { return lastName; } std::string Student::getEmailAddress() { return emailAddress; } int Student::getAge() { return age; } int* Student::getNumberOfDays() { return numberOfDays; } DegreeProgram Student::getDegreeProgram() { return degreeProgram; } // Mutator implementations void Student::setStudentID(std::string studentID) { this->studentID = studentID; } void Student::setFirstName(std::string firstName) { this->firstName = firstName; } void Student::setLastName(std::string lastName) { this->lastName = lastName; } void Student::setEmailAddress(std::string emailAddress) { this->emailAddress = emailAddress; } void Student::setAge(int age) { this->age = age; } void Student::setNumberOfDays(int numberOfDays[]) { for (int i = 0; i < daysToCompleteCourses; i++) this->numberOfDays[i] = numberOfDays[i]; } void Student::setDegreeProgram(DegreeProgram dp) { this->degreeProgram = dp; } // print() to print specific student data void Student::print() { std::cout << "Student ID: " << getStudentID() << "\t"; std::cout << "First Name: " << getFirstName() << "\t"; std::cout << "Last Name: " << getLastName() << "\t"; std::cout << "Email: " << getEmailAddress() << "\t"; std::cout << "Age: " << getAge() << "\t"; std::cout << "Days in Course: {" << getNumberOfDays()[0] << ", " << getNumberOfDays()[1] << ", " << getNumberOfDays()[2] << "}\t"; std::cout << "Degree Program: " << DegreeProgramStr[static_cast<int>(getDegreeProgram())] << std::endl; }
bb153caa0f21691b3850ba8bd8962c85
{ "intermediate": 0.4193704128265381, "beginner": 0.3729095458984375, "expert": 0.2077200561761856 }
47,939
I have 3 .h and 3.cpp files. When I run them it does not Displaying invalid emails part 1:Degree.h: #pragma once #include <string> enum class DegreeProgram {SECURITY, NETWORK, SOFTWARE }; static const std::string DegreeProgramStr[] = {“SECURITY”, “NETWORK”, “SOFTWARE”}; Student.h: #pragma once #include <iostream> #include <iomanip> #include “Degree.h” class Student { public: static const int daysToCompleteCourses = 3; // Array holding number of days to complete each course private: std::string studentID; std::string firstName; std::string lastName; std::string emailAddress; int age; int numberOfDays[daysToCompleteCourses]; DegreeProgram degreeProgram; public: Student(); // Default constructor Student(std::string studentID, std::string firstName, std::string lastName, std::string emailAddress, int age, int numberOfDays[], DegreeProgram degreeProgram); // Parameterized constructor ~Student(); // Destructor // Accessor (getter) functions std::string getStudentID(); std::string getFirstName(); std::string getLastName(); std::string getEmailAddress(); int getAge(); int* getNumberOfDays(); DegreeProgram getDegreeProgram(); // Mutator (setter) functions void setStudentID(std::string studentID); void setFirstName(std::string firstName); void setLastName(std::string lastName); void setEmailAddress(std::string emailAddress); void setAge(int age); void setNumberOfDays(int numberOfDays[]); void setDegreeProgram(DegreeProgram dp); // Other functions void print(); }; Student.cpp: #include “Student.h” // Default constructor Student::Student() { studentID = “”; firstName = “”; lastName = “”; emailAddress = “”; age = 0; for (int i = 0; i < daysToCompleteCourses; i++) numberOfDays[i] = 0; degreeProgram = DegreeProgram::SECURITY; } // Parameterized constructor Student::Student(std::string studentID, std::string firstName, std::string lastName, std::string emailAddress, int age, int numberOfDays[], DegreeProgram degreeProgram) { this->studentID = studentID; this->firstName = firstName; this->lastName = lastName; this->emailAddress = emailAddress; this->age = age; for (int i = 0; i < daysToCompleteCourses; i++) this->numberOfDays[i] = numberOfDays[i]; this->degreeProgram = degreeProgram; } // Destructor Student::~Student() { // Empty for now } // Accessor implementations std::string Student::getStudentID() { return studentID; } std::string Student::getFirstName() { return firstName; } std::string Student::getLastName() { return lastName; } std::string Student::getEmailAddress() { return emailAddress; } int Student::getAge() { return age; } int* Student::getNumberOfDays() { return numberOfDays; } DegreeProgram Student::getDegreeProgram() { return degreeProgram; } // Mutator implementations void Student::setStudentID(std::string studentID) { this->studentID = studentID; } void Student::setFirstName(std::string firstName) { this->firstName = firstName; } void Student::setLastName(std::string lastName) { this->lastName = lastName; } void Student::setEmailAddress(std::string emailAddress) { this->emailAddress = emailAddress; } void Student::setAge(int age) { this->age = age; } void Student::setNumberOfDays(int numberOfDays[]) { for (int i = 0; i < daysToCompleteCourses; i++) this->numberOfDays[i] = numberOfDays[i]; } void Student::setDegreeProgram(DegreeProgram dp) { this->degreeProgram = dp; } // print() to print specific student data void Student::print() { std::cout << "Student ID: " << getStudentID() << “\t”; std::cout << "First Name: " << getFirstName() << “\t”; std::cout << "Last Name: " << getLastName() << “\t”; std::cout << "Email: " << getEmailAddress() << “\t”; std::cout << "Age: " << getAge() << “\t”; std::cout << “Days in Course: {” << getNumberOfDays()[0] << ", " << getNumberOfDays()[1] << ", " << getNumberOfDays()[2] << “}\t”; std::cout << "Degree Program: " << DegreeProgramStr[static_cast<int>(getDegreeProgram())] << std::endl; }
3b267c0283a3d535c480eb916102f395
{ "intermediate": 0.40737444162368774, "beginner": 0.42492440342903137, "expert": 0.16770119965076447 }
47,940
With objects such as Strings, we need to use the equals method to determine if they are the same. The same is true when looking at ArrayLists since they are also objects. Let’s write an equals method for the ArrayList class that returns true if two ArrayLists are the same, and false if the ArrayLists are not identical. An ArrayList is identical if all of the values at each index are the same. import java.util.ArrayList; public class isEqual { public static void main(String[] args) { //This code is just to test your equals method ArrayList<Integer> list1 = new ArrayList<Integer>(); list1.add(10); list1.add(9); list1.add(5); list1.add(2); list1.add(9); ArrayList<Integer> list2 = new ArrayList<Integer>(); list2.add(10); list2.add(9); list2.add(5); list2.add(2); list2.add(9); boolean isEqual = equals(list1, list2); System.out.println("List 1 is equal to List 2: "+isEqual); ArrayList<Integer> list3 = new ArrayList<Integer>(); list3.add(1); list3.add(9); list3.add(5); list3.add(2); list3.add(9); boolean isEqual2 = equals(list2, list3); System.out.println("List 2 is equal to List 3: "+isEqual2); } //Write your method here! public static boolean equals(ArrayList<Integer> array1, ArrayList<Integer> array2) { } }
5915af19a32c6531189d479579ac08b6
{ "intermediate": 0.5017479062080383, "beginner": 0.3142123520374298, "expert": 0.18403969705104828 }
47,941
function zodErrorMap(error) { const errors = {}; if (error.issues) { error.issues.forEach((issue) => { const propName = issue.path[0]; const message = issue.message; if (!errors[propName]) { errors[propName] = [message]; } else { errors[propName].push(message); } }); } else { errors['unknown'] = ['Unknown error occurred']; } return errors; } export { zodErrorMap }; /* function zodErrorMap (zodIssues) { const errors = {}; zodIssues.forEach(issue => { const propName = issue.path[0]; const message = issue.message; // Si no existe un error en ese campo lo añadimos en una nueva propiedad del objeto //y poniendo el mensaje de error en un array if (!errors[propName]) { errors[propName] = [message]; return } // En cambio, si ya existe un error en ese elemento lo añadimos al final del array de mensajes errors[propName] = [...errors[propName], message]; }); return errors; } export { zodErrorMap }; */ function zodErrorMap(zodIssues) { console.log('zodIssues: ', zodIssues); const errors = {}; zodIssues.forEach((issue) => { const propName = issue.path[0]; const message = issue.message; // Si no existe un error en ese campo lo añadimos en una nueva propiedad del objeto //y poniendo el mensaje de error en un array if (!errors[propName]) { errors[propName] = [message]; return; } // En cambio, si ya existe un error en ese elemento //lo añadimos al final del array de mensajes errors[propName] = [...errors[propName], message]; }); return errors; } export { zodErrorMap }; //import { zodErrorMap } from "../../helpers/zodError.js"; import { zodErrorMap } from "../../helpers/zodErrorMap.js"; import { questionSchema } from "../../schemas/questionShema.js"; import insertQuestionModel from "../../models/entries/insertQuestionModel.js"; const newQuestionController = async (req, res, next) => { console.log('req.insertId2: ', req.userId); try { //const {question_title, question_description}=req.body; // validation fields /* if(!question_title||!question_description){ console.error('faltan campos'); } */ // validation length /* if (question_description > 280) { throw generateError('Debes enviar un texto menor de 280 caracteres', 400); } */ // validation schema const { sucess, data: questionDataBody, error } = questionSchema.safeParse(req.body); console.log('questionDataBody:', questionDataBody); // Add this line console.log('error:', error); // Add this line if (!sucess) { const errors = zodErrorMap(error?.issues); console.log('errors:', errors); return res.status(400).send({ error: errors }); } const { question_title, question_description } = questionDataBody; // insert question const id = await insertQuestionModel(question_title, question_description,req.userId); // send response res.status(201).send({ status:'ok', message:'insert question in db', data:{ question:{ questionId: id, question_title, question_description, userId: req.userId, createdAt: new Date(), }, }, }); } catch (err) { next(err); } }; export default newQuestionController; get this error: error: undefined TypeError: Cannot read properties of undefined (reading 'issues') at zodErrorMap (file:///Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/src/helpers/zodErrorMap.js:4:13) at newQuestionController (file:///Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/src/controllers/questions/newQuestionController.js:27:28) at Layer.handle [as handle_request] (/Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/node_modules/express/lib/router/layer.js:95:5) at next (/Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/node_modules/express/lib/router/route.js:149:13) at authUser (file:///Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/src/middlewares/auth.js:27:9) at Layer.handle [as handle_request] (/Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/node_modules/express/lib/router/layer.js:95:5) at next (/Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/node_modules/express/lib/router/route.js:149:13) at Route.dispatch (/Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/node_modules/express/lib/router/route.js:119:3) at Layer.handle [as handle_request] (/Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/node_modules/express/lib/router/layer.js:95:5) at /Users/XShhh/BoHB/FranK-org/new-2024_04_24_3/frankenstein/back/node_modules/express/lib/router/index.js:284:15 POST /newquestion 500 28.213 ms - 85
061da0f52b647f4d033eaa6063d7422b
{ "intermediate": 0.3307766020298004, "beginner": 0.5541558861732483, "expert": 0.1150674894452095 }
47,942
The ticketing system at the airport is broken, and passengers have lined up to board the plane in the incorrect order. The line of passengers has already been created for you, and is stored in the ArrayList tickets in the AirlineTester class. Devise a way to separate passengers into the correct boarding groups. Currently, there is an AirlineTicket class that holds the information for each passengers ticket. They have a name, seat, row, and boarding group. Use the TicketOrganizer class to help fix the order of passengers boarding. First, create a constructor that takes an ArrayList of AirlineTickets and assigns it to the instance variable tickets. Then, create a getTickets method to get the ArrayList of AirlineTickets. In the TicketOrganizer class, create a method called printPassengersByBoardingGroup that prints out the name of the passengers organized by boarding group. The boarding groups go from 1-5, and have been predetermined for you. This should print the boarding group followed by all passengers in the group: Boarding Group 1: Delores Deanna Boarding Group 2: Ella-Louise Dawn Candice Nevaeh Patricia Saba Boarding Group 3: Ayla Everly Austin Boarding Group 4: Xander Adrian Boarding Group 5: Siena Sharon You should also create a method named canBoardTogether which determines if passengers already in line in the tickets ArrayList can board with the people they are standing next to in line (using the existing order of the tickets ArrayList). If a passenger has the same row and boarding group as the person behind them, this method should print that those two passengers can board together. For instance if Passenger 11 and Passenger 12 are both in Row 3, and in Boarding Group 4, the method would print: Passenger 11 can board with Passenger 12. If there are no passengers that can board together, then it should print t There are no passengers with the same row and boarding group. to the console. public class AirlineTicket { private String[] seats = {"A","B","C","D","E","F"}; private String name; private String seat; private int boardingGroup; private int row; public AirlineTicket(String name, String seat, int boardingGroup, int row) { this.name = name; if(isValidSeat(seat)) { this.seat = seat; } this.boardingGroup = boardingGroup; this.row = row; } private boolean isValidSeat(String seat) { boolean isValidSeat = false; for(String elem: seats) { if(seat.equals(elem)) { isValidSeat = true; } } return isValidSeat; } public String getSeat() { return this.seat; } public String getName() { return this.name; } public int getBoardingGroup() { return this.boardingGroup; } public int getRow() { return this.row; } public String toString() { return name + " Seat: " + seat + " Row: " + row + " Boarding Group: " + boardingGroup; } } import java.util.ArrayList; public class AirlineTicketTester { public static void main(String[] args) { ArrayList<AirlineTicket> tickets = new ArrayList<AirlineTicket>(); //This creates a randomized list of passengers addPassengers(tickets); for(AirlineTicket elem: tickets) { System.out.println(elem); } //This creates a TicketOrganizer object TicketOrganizer ticketOrganizer = new TicketOrganizer(tickets); //These are the methods of the ticketOrganizer in action System.out.println("\nPassengers Ordered by Boarding Group:"); ticketOrganizer.printPassengersByBoardingGroup(); System.out.println("\nPassengers in line who can board together:"); ticketOrganizer.canBoardTogether(); } //Do not touch this method! It is adding random passengers to the AirlineTicket array public static void addPassengers(ArrayList<AirlineTicket> tickets) { String[] names = {"Xander", "Siena", "Ella-Louise", "Dawn", "Sharon", "Ayla", "Delores", "Adrian", "Candice", "Everly", "Nevaeh", "Patricia", "Saba", "Austin", "Deanna"}; String[] seats = {"A","B","C","D","E","F"}; for(int index = 0; index< 15; index++) { int random = (int)(Math.random() * 5); AirlineTicket ticket = new AirlineTicket(names[index], seats[random], ((int)(Math.random()*5)+1), ((int)(Math.random()*8)+1)); tickets.add(ticket); } } } import java.util.ArrayList; public class TicketOrganizer { private ArrayList<AirlineTicket> tickets; }
b2ed29c2c1d98d14466688c944ef193c
{ "intermediate": 0.4007318615913391, "beginner": 0.38443854451179504, "expert": 0.21482962369918823 }
47,943
package Model; import java.util.ArrayList; import java.util.Iterator; import java.util.List; public class Database { private List<Film> films; private List<Actor> actors; private static final Database instance = new Database(); private Database() { this.films = new ArrayList<>(); this.actors = new ArrayList<>(); } public static Database getInstance() { return instance; } public List<Film> getFilms() { return films; } public List<Actor> getActors() { return actors; } public void addFilm(Film film) { films.add(film); } public void addActor(Actor actor) { actors.add(actor); } public boolean hasActorWithNoFilms() { for (Actor actor : actors) { if (actor.getFilms().isEmpty()) { return true; } } return false; } public List<Actor> getCoActors(Actor targetActor) { List<Actor> coActors = new ArrayList<>(); for (Film film : films) { if (film.getActors().contains(targetActor)) { for (Actor actor : film.getActors()) { if (!actor.equals(targetActor) && !coActors.contains(actor)) { coActors.add(actor); } } } } System.out.println("COA:" + coActors); return coActors; } public Film findFilmWithMostActors() { if (films.isEmpty()) { return null; } Film filmWithMostActors = films.get(0); for (Film film : films) { if (film.getActors().size() > filmWithMostActors.getActors().size()) { filmWithMostActors = film; } } return filmWithMostActors; } public Film findFilmByTitle(String title) { for (Film film : films) { if (film.getTitle().equals(title)) { return film; } } return null; // Если фильм с указанным названием не найден, возвращаем null } public Actor findActorByName(String name) { // Проверяем, что коллекция actors не пуста if (actors.isEmpty()) { System.out.println("The list of actors is empty."); return null; } // Выводим информацию о коллекции actors перед началом поиска System.out.println("Actors in the database: " + actors); // Используем итератор для поиска актера по имени Iterator<Actor> iterator = actors.iterator(); while (iterator.hasNext()) { Actor actor = iterator.next(); System.out.println("Comparing: " + actor.getName() + " with " + name); if (actor.getName().equals(name)) { return actor; } } System.out.println("No actor found with name: " + name); return null; // Если актер с указанным именем не найден, возвращаем null } public List<Actor> getActorsWithoutFilms(String actorName, int checker) { List<Actor> actorsWithoutFilms = new ArrayList<>(); Iterator<Actor> iterator = actors.iterator(); while (iterator.hasNext()) { Actor actor = iterator.next(); if (actor.getFilms().isEmpty() && (actorName == null || actor.getName().equals(actorName))) { actorsWithoutFilms.add(actor); // Удаляем только конкретного актёра из списка, если checker равен 1 if (checker == 1) { iterator.remove(); System.out.println("Actor " + actor.getName() + " deleted"); break; // Прерываем цикл, так как нашли и удалили нужного актёра } } } return actorsWithoutFilms; } } Пожалуйста. Ну помоги ты уже. Film added: qwe Actor added to film: q added to qwe Actor: q Actor added to film: w added to qwe Actor: q Actor: w Actor added to film: e added to qwe Actor: q Actor: w Actor: e The list of actors is empty. actorbyname:null
16ab2d8a78c91aa5549c7e9b1836d2e3
{ "intermediate": 0.3505822420120239, "beginner": 0.48679423332214355, "expert": 0.16262350976467133 }
47,944
При установке freepbx [root@localhost freepbx]# ./install -n --dbuser root --dbpass 12345 Assuming you are Database Root Checking if SELinux is enabled...Its not (good)! Reading /etc/asterisk/asterisk.conf...Done Checking if Asterisk is running and we can talk to it as the 'asterisk' user...Yes. Determined Asterisk version to be: 16.15.1 Checking if NodeJS is installed and we can get a version from it...Yes. Determined NodeJS version to be: 18.20.1 Preliminary checks done. Starting FreePBX Installation Checking if this is a new install...No (/etc/freepbx.conf file detected) Updating tables admin, ampusers, cronmanager, featurecodes, freepbx_log, freepbx_settings, globals, module_xml, modules, notifications, cron_jobs...Done Initializing FreePBX Settings Finished initalizing settings Copying files (this may take a bit).... 9167/9167 [============================] 100% Done bin is: /var/lib/asterisk/bin sbin is: /usr/sbin Finishing up directory processes... In installcommand.class.php line 715: mkdir(): File exists
57bb4f098e0aa24d94927b291a8629c8
{ "intermediate": 0.4595795273780823, "beginner": 0.35001182556152344, "expert": 0.1904086023569107 }
47,945
Your company is doing some data cleanup, and notices that the list of all users has been getting outdated. For one, there are some users who have been added multiple times. Your job is to create a series of methods that can purge some of the old data from the existing list. Create static methods in the DataPurge class that can do the following: removeDuplicates This method takes a list of people, and removes the duplicate names. It also prints to the console which duplicate names have been removed. removeName This method takes a list of people and a name for which to search. It removes all names that contain the search string. It should print to the console any names that were removed. correctlyFormatted This method returns true if all of the data in the list is formatted correctly. Correctly formatted names are made up of a first name and a last name, separated by a single space. Both the first and last names should start with an uppercase letter. Test your methods out in the DataPurgeTester file. You don’t have to change anything there, but the methods should work accordingly! Hint: There are many ways to solve these problems, especially correctlyFormatted. You may find indexOf or split or toUpperCase or contains or substring to be useful methods, depending on your algorithm. One way to check if a letter is uppercase is to compare the letter to the uppercase version of itself. import java.util.ArrayList; public class DataPurge { public static void removeDuplicates(ArrayList<String> people) { ArrayList<String> uniquePeople = new ArrayList<>(); for (String person : people) { if (!uniquePeople.contains(person)) { uniquePeople.add(person); } else { System.out.println(person + " has been removed."); } } people.clear(); people.addAll(uniquePeople); } public static boolean correctlyFormatted(ArrayList<String> people) { for (String person : people) { String[] parts = person.split(" "); if (parts.length != 2) { return false; for (String part : parts) { if (!Character.isUpperCase(part.charAt(0))) { return false; } } } return true; } }import java.util.ArrayList; public class DataPurgeTester { public static void main(String[] args) { ArrayList<String> members = new ArrayList<String>(); addMembers(members); System.out.println("All names formatted correctly? " + DataPurge.correctlyFormatted(members)); DataPurge.removeName(members, "Araceli Castaneda"); DataPurge.removeDuplicates(members); System.out.println(members); } public static void addMembers(ArrayList<String> emails) { emails.add("London Braun"); emails.add("Jaslyn Chavez"); emails.add("Daphne Kane"); emails.add("Aden Brock"); emails.add("Jaime Wolf"); emails.add("finley Wood"); emails.add("Trent maynard"); emails.add("Jaiden Krause"); emails.add("London Braun"); emails.add("Jaiden Krause"); emails.add("Davon Mccormick"); emails.add("JosieFreeman"); emails.add("Jaslyn Chavez"); emails.add("Zaiden Harding"); emails.add("Araceli Castaneda"); emails.add("Jaime Wolf"); emails.add("London Braun"); } }
dc4290293d57bc5ba22803c28d61a639
{ "intermediate": 0.39417344331741333, "beginner": 0.42756062746047974, "expert": 0.17826592922210693 }
47,946
Установил freepbx на centos 7 и после этого зашел на web и мне выдал ошибку: The page you are looking for is not found. Website Administrator Something has triggered missing webpage on your website. This is the default 404 error page for nginx that is distributed with RED OS. It is located /usr/share/nginx/html/404.html You should customize this error page for your own site or edit the error_page directive in the nginx configuration file /etc/nginx/nginx.conf.
fff8c4da90bf9b3fbfb35a28037b7349
{ "intermediate": 0.3317253887653351, "beginner": 0.3258652687072754, "expert": 0.34240931272506714 }
47,947
i got a list ['2024-04-23 00:15:06', '2024-04-23 00:14:06','2024-04-23 00:11:26','2024-04-23 00:14:86'] if current time (local pc) - 1 min is earlier than time in list then false (pyton)
aabab3f1bf7ddb462fc388f75fcda24a
{ "intermediate": 0.36434412002563477, "beginner": 0.3164031505584717, "expert": 0.31925269961357117 }
47,948
get started time of a process using psutil in poython
6a5df39a9f4050a869d8d700fa6bb07a
{ "intermediate": 0.4507727324962616, "beginner": 0.19684816896915436, "expert": 0.35237911343574524 }
47,949
write me a code to implement the distance vector algorithm (bellman ford) using c++ taking the input of number of nodes in the network and the matrix itself. now print the routing table of each router (0 being A, 1 being B and so on) which each have 3 columns destination (this should show all the nodes including itself), Distance(from the which node's routing table to the node present in the destination column), and Next_hop which should tell where the data should route to if its starting at the node the table is of and reaching the node on the deatination column, what should be the next node traveled to and if its the starting node itself mention the node itself.
7e39dcd0c6aafc640fba96d28bd13146
{ "intermediate": 0.26362183690071106, "beginner": 0.12900127470493317, "expert": 0.6073768734931946 }
47,950
What is net.ipv4.tcp_invalid_ratelimit?
c37e1e1e76806320f7d2527ebc4a9b32
{ "intermediate": 0.29484453797340393, "beginner": 0.2092389017343521, "expert": 0.49591657519340515 }
47,951
#include <iostream> #include <vector> #include <limits> using namespace std; void printRoutingTable(const vector<vector<int>>& dist, const vector<vector<int>>& next, int n) { cout << "Routing Tables:\n"; for (int i = 0; i < n; i++) { char node = 'A' + i; cout << "Router " << node << ":\n"; cout << "Destination\tDistance\tNext Hop\n"; for (int j = 0; j < n; j++) { char dest = 'A' + j; cout << dest << "\t\t" << dist[i][j] << "\t\t"; if (next[i][j] == i) cout << node << endl; else cout << char('A' + next[i][j]) << endl; } cout << endl; } } void bellmanFord(const vector<vector<int>>& graph, int n) { vector<vector<int>> dist(n, vector<int>(n, numeric_limits<int>::max())); vector<vector<int>> next(n, vector<int>(n, -1)); // Initialize distances for self-loops for (int i = 0; i < n; i++) { dist[i][i] = 0; next[i][i] = i; } // Initialize distances for direct neighbors for (int i = 0; i < n; i++) { for (int j = 0; j < n; j++) { if (graph[i][j] != -1) { dist[i][j] = graph[i][j]; next[i][j] = j; } } } // Perform Bellman-Ford iterations for (int k = 0; k < n - 1; k++) { for (int i = 0; i < n; i++) { for (int j = 0; j < n; j++) { for (int l = 0; l < n; l++) { if (dist[i][l] != numeric_limits<int>::max() && graph[l][j] != -1) { int new_dist = dist[i][l] + graph[l][j]; if (new_dist < dist[i][j]) { dist[i][j] = new_dist; next[i][j] = next[i][l]; } } } } } } printRoutingTable(dist, next, n); } int main() { int n; cout << "Enter the number of nodes: "; cin >> n; vector<vector<int>> graph(n, vector<int>(n, -1)); cout << "Enter the adjacency matrix (enter -1 for no connection):\n"; for (int i = 0; i < n; i++) { for (int j = 0; j < n; j++) { int weight; cin >> weight; if (weight != -1) graph[i][j] = weight; } } bellmanFord(graph, n); return 0; }
67e88f0c1de232be5ef5b32bb07d95b6
{ "intermediate": 0.2886357009410858, "beginner": 0.5219676494598389, "expert": 0.18939663469791412 }
47,952
в чем тут ошибка [root@localhost asterisk-18.22.0]# asterisk -c Unable to access the running directory (Permission denied). Changing to '/' for compatibility. Asterisk 18.22.0, Copyright (C) 1999 - 2022, Sangoma Technologies Corporation and others. Created by Mark Spencer <<PRESIDIO_ANONYMIZED_EMAIL_ADDRESS>> Asterisk comes with ABSOLUTELY NO WARRANTY; type 'core show warranty' for details. This is free software, with components licensed under the GNU General Public License version 2 and other licenses; you are welcome to redistribute it under certain conditions. Type 'core show license' for details. ========================================================================= Running as user 'asterisk' Running under group 'asterisk' Unable to read or write history file '/home/asterisk/.asterisk_history' PBX UUID: 9f8b69c2-45ce-48ee-ac95-16d163ba7852 [Apr 25 11:27:41] ERROR[71073]: loader.c:2335 loader_config_init: chan_sip.so is configured with 'require' and 'noload', this is impossible. [Apr 25 11:27:41] ERROR[71073]: asterisk.c:4056 check_init: Module initialization failed. ASTERISK EXITING!
36ea1d176151a2a95186b3b02fe9fd69
{ "intermediate": 0.32729536294937134, "beginner": 0.3683205842971802, "expert": 0.3043840527534485 }
47,953
what does this mean, /content/GPTube Already up to date. error: XDG_RUNTIME_DIR not set in the environment. ALSA lib confmisc.c:855:(parse_card) cannot find card '0' ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_card_inum returned error: No such file or directory ALSA lib confmisc.c:422:(snd_func_concat) error evaluating strings ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_concat returned error: No such file or directory ALSA lib confmisc.c:1334:(snd_func_refer) error evaluating name ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_refer returned error: No such file or directory ALSA lib conf.c:5701:(snd_config_expand) Evaluate error: No such file or directory ALSA lib pcm.c:2664:(snd_pcm_open_noupdate) Unknown PCM default ALSA lib confmisc.c:855:(parse_card) cannot find card '0' ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_card_inum returned error: No such file or directory ALSA lib confmisc.c:422:(snd_func_concat) error evaluating strings ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_concat returned error: No such file or directory ALSA lib confmisc.c:1334:(snd_func_refer) error evaluating name ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_refer returned error: No such file or directory ALSA lib conf.c:5701:(snd_config_expand) Evaluate error: No such file or directory ALSA lib pcm.c:2664:(snd_pcm_open_noupdate) Unknown PCM default -------------------------- survival video game -------------------------- Traceback (most recent call last): File "/usr/local/lib/python3.10/dist-packages/urllib3/connection.py", line 203, in _new_conn sock = connection.create_connection( File "/usr/local/lib/python3.10/dist-packages/urllib3/util/connection.py", line 60, in create_connection for res in socket.getaddrinfo(host, port, family, socket.SOCK_STREAM): File "/usr/lib/python3.10/socket.py", line 955, in getaddrinfo for res in _socket.getaddrinfo(host, port, family, type, proto, flags): socket.gaierror: [Errno -2] Name or service not known The above exception was the direct cause of the following exception: Traceback (most recent call last): File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 791, in urlopen response = self._make_request( File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 492, in _make_request raise new_e File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 468, in _make_request self._validate_conn(conn) File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 1097, in _validate_conn conn.connect() File "/usr/local/lib/python3.10/dist-packages/urllib3/connection.py", line 611, in connect self.sock = sock = self._new_conn() File "/usr/local/lib/python3.10/dist-packages/urllib3/connection.py", line 210, in _new_conn raise NameResolutionError(self.host, self, e) from e urllib3.exceptions.NameResolutionError: <urllib3.connection.HTTPSConnection object at 0x7d223c9bff70>: Failed to resolve 'chatgpt.apinepdev.workers.dev' ([Errno -2] Name or service not known) The above exception was the direct cause of the following exception: Traceback (most recent call last): File "/usr/local/lib/python3.10/dist-packages/requests/adapters.py", line 486, in send resp = conn.urlopen( File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 845, in urlopen retries = retries.increment( File "/usr/local/lib/python3.10/dist-packages/urllib3/util/retry.py", line 515, in increment raise MaxRetryError(_pool, url, reason) from reason # type: ignore[arg-type] urllib3.exceptions.MaxRetryError: HTTPSConnectionPool(host='chatgpt.apinepdev.workers.dev', port=443): Max retries exceeded with url: /?question=i%20want%20make%20a%20video%20about%20top%20ten%20of%20survival%20video%20game,%20send%20ten%20name%20of%20top%20survival%20video%20game.%0Aimportant:%20just%20send%20in%20this%20format:%20%0A%5B%22nameone%22,%22nametwo%22,%22namethree%22,%22namefour%22,%22namefive%22,%22namesix%22,%22nameseven%22,%22nameeight%22,%22namenine%22,%22nameten%22%5D%0A (Caused by NameResolutionError("<urllib3.connection.HTTPSConnection object at 0x7d223c9bff70>: Failed to resolve 'chatgpt.apinepdev.workers.dev' ([Errno -2] Name or service not known)")) During handling of the above exception, another exception occurred: Traceback (most recent call last): File "/content/GPTube/video.py", line 31, in <module> making_video(args.topic) File "/content/GPTube/lib/core.py", line 89, in making_video top10=get_names(title) File "/content/GPTube/lib/video_texts.py", line 40, in get_names message = chatgpt(prompt) File "/content/GPTube/lib/APIss.py", line 72, in chatgpt response = requests.get(api_url) File "/usr/local/lib/python3.10/dist-packages/requests/api.py", line 73, in get return request("get", url, params=params, **kwargs) File "/usr/local/lib/python3.10/dist-packages/requests/api.py", line 59, in request return session.request(method=method, url=url, **kwargs) File "/usr/local/lib/python3.10/dist-packages/requests/sessions.py", line 589, in request resp = self.send(prep, **send_kwargs) File "/usr/local/lib/python3.10/dist-packages/requests/sessions.py", line 703, in send r = adapter.send(request, **kwargs) File "/usr/local/lib/python3.10/dist-packages/requests/adapters.py", line 519, in send raise ConnectionError(e, request=request) requests.exceptions.ConnectionError: HTTPSConnectionPool(host='chatgpt.apinepdev.workers.dev', port=443): Max retries exceeded with url: /?question=i%20want%20make%20a%20video%20about%20top%20ten%20of%20survival%20video%20game,%20send%20ten%20name%20of%20top%20survival%20video%20game.%0Aimportant:%20just%20send%20in%20this%20format:%20%0A%5B%22nameone%22,%22nametwo%22,%22namethree%22,%22namefour%22,%22namefive%22,%22namesix%22,%22nameseven%22,%22nameeight%22,%22namenine%22,%22nameten%22%5D%0A (Caused by NameResolutionError("<urllib3.connection.HTTPSConnection object at 0x7d223c9bff70>: Failed to resolve 'chatgpt.apinepdev.workers.dev' ([Errno -2] Name or service not known)")
9df31c1737f86000d6ca01f3b2cbbd1d
{ "intermediate": 0.35989582538604736, "beginner": 0.37516307830810547, "expert": 0.26494112610816956 }
47,954
В чем проблема? И как её исправить? [root@localhost ~]# curl -LsS https://downloads.mariadb.com/MariaDB/mariadb_repo_setup | sudo bash -s -- # [error] Detected RHEL or compatible but version () is not supported. # [error] # The MariaDB Repository only supports these distributions: # * RHEL/Rocky 8 & 9 (rhel) # * RHEL/CentOS 7 (rhel) # * Ubuntu 18.04 LTS (bionic), 20.04 LTS (focal), & 22.04 LTS (jammy) # * Debian 10 (buster), Debian 11 (bullseye), and Debian 12 (bookworm) # * SLES 12 & 15 (sles) # [error] # See https://mariadb.com/kb/en/mariadb/mariadb-package-repository-setup-and-usage/#platform-support [root@localhost ~]#
4a6be5e146ccd167488be77ea8825454
{ "intermediate": 0.28350937366485596, "beginner": 0.3813181519508362, "expert": 0.33517250418663025 }
47,955
service: serverless-lambda-edge-image-resize frameworkVersion: "3" plugins: - serverless-lambda-edge-pre-existing-cloudfront provider: name: aws runtime: nodejs18.x region: us-east-1 iam: role: "arn:aws:iam::667833941706:role/role-lambda-edge-image-resize" functions: imageResize: name: "serverless-lambda-edge-image-resize" handler: index.imageResize #index.js 파일의 imageResize 함수를 바라본다 events: - preExistingCloudFront: distributionId: E1OZ87X7IOD1IG #s3-lambda-edge-image-resize의 cloudfront id값 입력 eventType: origin-response pathPattern: "*" includeBody: false 나는 arm64 기반으로 프레임워크를 설정하고 싶어. serverless.yml 코드 수정해
456ecef62024762890f7dc0ac8600e35
{ "intermediate": 0.4471648335456848, "beginner": 0.25917747616767883, "expert": 0.29365769028663635 }
47,956
Create a button (Total amount) whenever we click that button that button should calculate(quantity*price) please suggest me possible ways how to achieve this.
59098c4c08bb10236eb292324db755d8
{ "intermediate": 0.46577006578445435, "beginner": 0.2065681666135788, "expert": 0.32766175270080566 }
47,957
undetected chromedriver python how to enable flags
eff87c3ab584cc5295db829c2824149c
{ "intermediate": 0.3996952176094055, "beginner": 0.1777370423078537, "expert": 0.4225677251815796 }
47,958
c# dot net core 6 link group by two fields
9c16c6939805f3a26afa5feed30effb2
{ "intermediate": 0.22026105225086212, "beginner": 0.26475703716278076, "expert": 0.5149819254875183 }
47,959
c# dot net core 6 link group by two fields
a9c32b66cf145049ab53cea6ff11175a
{ "intermediate": 0.22026105225086212, "beginner": 0.26475703716278076, "expert": 0.5149819254875183 }
47,960
clone this git [https://github.com/Hillobar/Rope.git] into colab and generate a local host public share link.
00ab50477d17985dc02ab244e2a594ff
{ "intermediate": 0.3740197420120239, "beginner": 0.2510243356227875, "expert": 0.374955952167511 }
47,961
HI!
770242c0327673524ba370e6b743bf5a
{ "intermediate": 0.3374777138233185, "beginner": 0.2601830065250397, "expert": 0.40233927965164185 }
47,962
package com.medicdigital.jjpodcasts import android.support.test.InstrumentationRegistry import android.support.test.runner.AndroidJUnit4 import org.junit.Test import org.junit.runner.RunWith import org.junit.Assert.* /** * Instrumented test, which will execute on an Android device. * * See [testing documentation](http://d.android.com/tools/testing). */ @RunWith(AndroidJUnit4::class) class ExampleInstrumentedTest { @Test fun useAppContext() { // Context of the app under test. val appContext = InstrumentationRegistry.getTargetContext() assertEquals("com.medicdigital.jjpodcasts", appContext.packageName) } } reseolve any possible error
a051c7dde11068f90eb93449f265d04a
{ "intermediate": 0.4109676480293274, "beginner": 0.3089439570903778, "expert": 0.2800883650779724 }
47,963
could you please provide me a python script in order to analyze an .har file against greenIT?
bd37453b87237aa5b6dcf2850f69cd84
{ "intermediate": 0.5218673348426819, "beginner": 0.14869694411754608, "expert": 0.32943570613861084 }
47,964
Here are 30 intermediate Python questions and answers that can be useful for an interview:
b7dc3ec153886a87e2903340c56e6373
{ "intermediate": 0.351479709148407, "beginner": 0.3634294271469116, "expert": 0.285090833902359 }
47,965
write a 7 astrological interpretations for random obscure asteroid aspects that you find intriguing, write them each in approximately 140 words length and give them each a thematic title based on character sub class archetypes, be creative
5e4fe6cabeacbbbe95a9994ab44e8545
{ "intermediate": 0.3767853379249573, "beginner": 0.3072489798069, "expert": 0.3159656524658203 }
47,966
Im using 34401A DMM and I would like to write a SCPI command in python to make it take a voltage measurement, cold you give me some example code
0b6959dbf83c1da68bf7189e5e09c2a3
{ "intermediate": 0.643563449382782, "beginner": 0.15509465336799622, "expert": 0.20134186744689941 }
47,967
in servicenow, Create a button (Total amount) whenever we click that button that button should calculate(quantity*price) please suggest me possible ways how to achieve this.
0bd5d737d0c394116a1c63037ad7e080
{ "intermediate": 0.46213993430137634, "beginner": 0.22772406041622162, "expert": 0.31013599038124084 }
47,968
On my local branch master I accidentally performed command git pull origin rc-3.4.0 that has merged into master features that were not supposed to be in master. How do I undo this?
dc0b92e2206060b4db4ecf59749884c2
{ "intermediate": 0.4429093599319458, "beginner": 0.29444420337677, "expert": 0.26264646649360657 }
47,969
im not a coder what does this mean,/content/GPTube Already up to date. error: XDG_RUNTIME_DIR not set in the environment. ALSA lib confmisc.c:855:(parse_card) cannot find card '0' ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_card_inum returned error: No such file or directory ALSA lib confmisc.c:422:(snd_func_concat) error evaluating strings ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_concat returned error: No such file or directory ALSA lib confmisc.c:1334:(snd_func_refer) error evaluating name ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_refer returned error: No such file or directory ALSA lib conf.c:5701:(snd_config_expand) Evaluate error: No such file or directory ALSA lib pcm.c:2664:(snd_pcm_open_noupdate) Unknown PCM default ALSA lib confmisc.c:855:(parse_card) cannot find card '0' ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_card_inum returned error: No such file or directory ALSA lib confmisc.c:422:(snd_func_concat) error evaluating strings ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_concat returned error: No such file or directory ALSA lib confmisc.c:1334:(snd_func_refer) error evaluating name ALSA lib conf.c:5178:(_snd_config_evaluate) function snd_func_refer returned error: No such file or directory ALSA lib conf.c:5701:(snd_config_expand) Evaluate error: No such file or directory ALSA lib pcm.c:2664:(snd_pcm_open_noupdate) Unknown PCM default -------------------------- survival video game -------------------------- Traceback (most recent call last): File "/usr/local/lib/python3.10/dist-packages/urllib3/connection.py", line 203, in _new_conn sock = connection.create_connection( File "/usr/local/lib/python3.10/dist-packages/urllib3/util/connection.py", line 60, in create_connection for res in socket.getaddrinfo(host, port, family, socket.SOCK_STREAM): File "/usr/lib/python3.10/socket.py", line 955, in getaddrinfo for res in _socket.getaddrinfo(host, port, family, type, proto, flags): socket.gaierror: [Errno -2] Name or service not known The above exception was the direct cause of the following exception: Traceback (most recent call last): File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 791, in urlopen response = self._make_request( File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 492, in _make_request raise new_e File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 468, in _make_request self._validate_conn(conn) File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 1097, in _validate_conn conn.connect() File "/usr/local/lib/python3.10/dist-packages/urllib3/connection.py", line 611, in connect self.sock = sock = self._new_conn() File "/usr/local/lib/python3.10/dist-packages/urllib3/connection.py", line 210, in _new_conn raise NameResolutionError(self.host, self, e) from e urllib3.exceptions.NameResolutionError: <urllib3.connection.HTTPSConnection object at 0x7ca627cdbf70>: Failed to resolve 'chatgpt.apinepdev.workers.dev' ([Errno -2] Name or service not known) The above exception was the direct cause of the following exception: Traceback (most recent call last): File "/usr/local/lib/python3.10/dist-packages/requests/adapters.py", line 486, in send resp = conn.urlopen( File "/usr/local/lib/python3.10/dist-packages/urllib3/connectionpool.py", line 845, in urlopen retries = retries.increment( File "/usr/local/lib/python3.10/dist-packages/urllib3/util/retry.py", line 515, in increment raise MaxRetryError(_pool, url, reason) from reason # type: ignore[arg-type] urllib3.exceptions.MaxRetryError: HTTPSConnectionPool(host='chatgpt.apinepdev.workers.dev', port=443): Max retries exceeded with url: /?question=i%20want%20make%20a%20video%20about%20top%20ten%20of%20survival%20video%20game,%20send%20ten%20name%20of%20top%20survival%20video%20game.%0Aimportant:%20just%20send%20in%20this%20format:%20%0A%5B%22nameone%22,%22nametwo%22,%22namethree%22,%22namefour%22,%22namefive%22,%22namesix%22,%22nameseven%22,%22nameeight%22,%22namenine%22,%22nameten%22%5D%0A (Caused by NameResolutionError("<urllib3.connection.HTTPSConnection object at 0x7ca627cdbf70>: Failed to resolve 'chatgpt.apinepdev.workers.dev' ([Errno -2] Name or service not known)")) During handling of the above exception, another exception occurred: Traceback (most recent call last): File "/content/GPTube/video.py", line 31, in <module> making_video(args.topic) File "/content/GPTube/lib/core.py", line 89, in making_video top10=get_names(title) File "/content/GPTube/lib/video_texts.py", line 40, in get_names message = chatgpt(prompt) File "/content/GPTube/lib/APIss.py", line 72, in chatgpt response = requests.get(api_url) File "/usr/local/lib/python3.10/dist-packages/requests/api.py", line 73, in get return request("get", url, params=params, **kwargs) File "/usr/local/lib/python3.10/dist-packages/requests/api.py", line 59, in request return session.request(method=method, url=url, **kwargs) File "/usr/local/lib/python3.10/dist-packages/requests/sessions.py", line 589, in request resp = self.send(prep, **send_kwargs) File "/usr/local/lib/python3.10/dist-packages/requests/sessions.py", line 703, in send r = adapter.send(request, **kwargs) File "/usr/local/lib/python3.10/dist-packages/requests/adapters.py", line 519, in send raise ConnectionError(e, request=request) requests.exceptions.ConnectionError: HTTPSConnectionPool(host='chatgpt.apinepdev.workers.dev', port=443): Max retries exceeded with url: /?question=i%20want%20make%20a%20video%20about%20top%20ten%20of%20survival%20video%20game,%20send%20ten%20name%20of%20top%20survival%20video%20game.%0Aimportant:%20just%20send%20in%20this%20format:%20%0A%5B%22nameone%22,%22nametwo%22,%22namethree%22,%22namefour%22,%22namefive%22,%22namesix%22,%22nameseven%22,%22nameeight%22,%22namenine%22,%22nameten%22%5D%0A (Caused by NameResolutionError("<urllib3.connection.HTTPSConnection object at 0x7ca627cdbf70>: Failed to resolve 'chatgpt.apinepdev.workers.dev' ([Errno -2] Name or service not known)"))
40039d93dfca9fe304e4738646f5e9c7
{ "intermediate": 0.3979445695877075, "beginner": 0.3830854296684265, "expert": 0.21897004544734955 }
47,970
public void SendEmoji(string emojiType) { emojiWordDict.TryGetValue(emojiType, out EmojiType emoji); Player player = GameMode.GetActorObject(HeroEmoji.GetOwner()); CGPlayerSendEmojiEvent playerSendEmojiEvent = new CGPlayerSendEmojiEvent { Player = partnerEmojis.Contains(emojiType)?GameMode.GetPartnerPlayer(player):HeroEmoji.GetOwner(), EmojiType = emoji, IsPartner = partnerEmojis.Contains(emojiType) }; GamePlayer.UpdateEvent(playerSendEmojiEvent); stateRoulette.SetActive(false); statePartnerRoulette.SetActive(false); }。帮忙优化一下这段代码
17b92775077fb540c3347133565ad68d
{ "intermediate": 0.43462851643562317, "beginner": 0.2962827980518341, "expert": 0.2690886855125427 }
47,971
hello
f1c386e640c28e2fa58809b9fdb20ca9
{ "intermediate": 0.32064199447631836, "beginner": 0.28176039457321167, "expert": 0.39759764075279236 }
47,972
<
47d6663cec7656a39f80093019574df1
{ "intermediate": 0.3190496563911438, "beginner": 0.3045618236064911, "expert": 0.3763884902000427 }
47,973
Что не так с кодом <?php echo "debug1"; $dbh = new PDO( 'mysql:host=localhost;dbname=edu', 'ubuntu', '12345678'); echo "debug2"; $name = $_GET["name"]; $comment = $_GET["comment"]; if (!empty($name) && !empty($comment)) { echo "debug3"; $sql = "INSERT INTO `comments` (`name`, `text`) VALUES (:name, :text)"; $stmt = $dbh->prepare($sql); $stmt->bindParam(":name", $name, PDO::PARAM_STR); $stmt->bindParam(":text", $comment, PDO::PARAM_STR); echo "debug4"; if (!$stmt->execute()) { echo "ERROR"; } } echo "debug5"; $sql = "SELECT name, text FROM comments"; $comments = $dbh->prepare($sql); $comments->execute(); echo "debug6"; ?> <html> <head> <title>Комментарии</title> <link rel="stylesheet" href="./style.css" /> </head> <body> <section class="form"> <form action="" method="POST"> <div>Имя:</div> <div><input name="name" type="text"></div> <div>Комментарии:</div> <div><textarea name="comment"></textarea></div> <div><input type="submit"></div> </form> </section> <section class="comments"> <h1>Комментарии</h1> <div> <?php foreach ($comments->fetchAll() as $row) { echo '<div class="comments_item">'; echo '<div class="comments_name">' . $row['name'] . '</div>'; echo '<div>' . $row['text'] . '</div>'; echo '</div>'; } ?> </div> </section> </body> </html>
28c8fff1ecff538d8b07b74259e7388f
{ "intermediate": 0.41687142848968506, "beginner": 0.4270436763763428, "expert": 0.156084805727005 }
47,974
rewrite: Kindly find itemised below the pending issues that need to be resolved on the payment pro app 1.The mobile app (unable to login through the mobile app despite completing reg on the web and going live) 2. Inability to transfer money out of the wallet to a personal bank account , the system keeps showing internal server error after inputting the OTP . 3. Charges are still set at default rate (#300) 4. POS terminal not yet functional on the portal
ca7389f9585c5ae711c0f5e2fe7ab85a
{ "intermediate": 0.4119247794151306, "beginner": 0.3119603991508484, "expert": 0.276114821434021 }
47,975
how to write the gtest for static void sdl_egl_swap_buffers(struct graphics_opengl_platform *egl) { SDL_GL_SwapWindow(egl->eglwindow); }
3553d50b3cbdbba813c370a4b504b894
{ "intermediate": 0.4791465699672699, "beginner": 0.28129735589027405, "expert": 0.23955602943897247 }
47,976
How to log windows 4800 events to domain controller
3c7c3c679391c8c1248d457141594d0e
{ "intermediate": 0.40870732069015503, "beginner": 0.1923578530550003, "expert": 0.39893487095832825 }
47,977
how would be the input to make following if condition false if ((gr->parent && !gr->parent->overlay_enabled) || (gr->parent && gr->parent->overlay_enabled && !gr->overlay_enabled)) { return; }
5684beed681f3a7f09b596864bdf7050
{ "intermediate": 0.3420862853527069, "beginner": 0.3371386229991913, "expert": 0.32077503204345703 }
47,978
can you rewrite this powershell script to a powershell form application? # Functions function RestartOption { # After the main logic, ask the user if they want to start over or make a new choice Write-Host "Do you want to start over or make a new choice?" Write-Host "1. Start with new IMSI or ICCID assignment" -ForegroundColor Orange -BackgroundColor Black Write-Host "2. Create another batch for the existing IMSI or ICCID" -ForegroundColor Green -BackgroundColor Red Write-Host "3. Exit" -ForegroundColor Red -BackgroundColor White $userChoice = Read-Host "Enter your choice (1-3)" switch ($userChoice) { "1" { Main-Menu } "2" { Display-MenuChoices } "3" { Exit-Script } default { Write-Host "Invalid choice. Exiting script."; exit } } } function Display-MenuChoices { # Menu for additional choices Write-Host "Please select an option:" Write-Host "1. Change State" -ForegroundColor Red -BackgroundColor White Write-Host "2. Change Service Profile" Write-Host "3. Add static IP" -ForegroundColor Red -BackgroundColor White Write-Host "4. Move SIM to Customer" Write-Host "5. Change customer attributes" -ForegroundColor Red -BackgroundColor White Write-Host "6. Add static IP for APN" $choice = Read-Host "Enter your choice (1-6)" switch ($choice) { "1" { Change-State } "2" { Change-ServiceProfile } "3" { Add-StaticIP } "4" { Move-SIMToCustomer } "5" { Change-CustomerAttributes } "6" { Add-StaticIPForAPN } default { Write-Host "Invalid choice." } } } function Exit-Script { # Exit the script Write-Host "Exiting script." exit } function Increment-IPAddress { param ( [Parameter(Mandatory=$true)] [string]$ip ) $ipParts = $ip -split '\.' | ForEach-Object { [int]$_ } for ($i = 3; $i -ge 0; $i--) { if ($ipParts[$i] -lt 255) { $ipParts[$i]++ break } else { $ipParts[$i] = 0 if ($i -eq 0) { throw "IP address overflow. Cannot increment beyond 255.255.255.255" } } } return $ipParts -join '.' } # Luhn Algorithm Functions function Get-LuhnChecksum { param ( [string]$code ) $len = $code.Length $parity = $len % 2 $sum = 0 for ($i = $len - 1; $i -ge 0; $i--) { $d = [int]::Parse($code[$i]) if ($i % 2 -eq $parity) { $d *= 2 } if ($d -gt 9) { $d -= 9 } $sum += $d } return $sum % 10 } function Get-LuhnFullCode { param ( [string]$partCode ) $checksum = Get-LuhnChecksum ($partCode + "0") if ($checksum -eq 0) { return 0 } else { return 10 - $checksum } } function Test-LuhnCode { param ( [string]$fullCode ) return (Get-LuhnChecksum $fullCode) -eq 0 } # Function to trim the last digit of an ICCID function Trim-LastDigit { param ( [string]$number ) # Convert the number to a string, remove the last character, and return the modified string return $number.Substring(0, $number.Length - 1) } function Change-ServiceProfile { # Ask the user for the target Service Profile $targetServiceProfile = Read-Host "What is your target Service Profile?" # Define the header $header = "FORMAT01`tChange Device Service Profile`tCHANGE_SERVICE_PROFILE`n$inputType`tSERVICEPROFILE" # Create entries in the text file for each number with the target Service Profile $exportPath = "service_profile_change.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $rangeList | ForEach-Object { "$_`t$targetServiceProfile" | Out-File -FilePath $exportPath -Append $count++ } # Define and output the footer with the count to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "Service Profile change entries have been added to the file: $exportPath" # call function Restart RestartOption } function Add-StaticIP { # Ask the user for the starting IP address $startingIP = Read-Host "What is your starting IP address?" # Define the header $header = "FORMAT01`tUpdate SIM Static IP Address`tUPDATE_ATTRIBUTES`n$inputType`tSTATICIPADDRESS" # Create entries in the text file for each number with the incremented IP address $exportPath = "static_ip_addition.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $currentIP = $startingIP $rangeList | ForEach-Object { "$_`t$currentIP" | Out-File -FilePath $exportPath -Append $currentIP = Increment-IPAddress -ip $currentIP $count++ } # Define and output the footer with the count to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "Static IP addition entries have been added to the file: $exportPath" RestartOption } function Move-SIMToCustomer { # Ask the user for the target Service Profile and target customer $targetCustomer = Read-Host "Please provide your target customer?" $targetServiceProfile = Read-Host "What is your target Service Profile?" # Define the header $header = "FORMAT01`tChange Device Service Profile`tCHANGE_SERVICE_PROFILE`n$inputType`tSERVICEPROFILE`tTARGET_CUSTOMER_NAME" # Create entries in the text file for each number with the target Service Profile $exportPath = "service_profile_change.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $rangeList | ForEach-Object { "$_`t$targetServiceProfile`t$targetCustomer" | Out-File -FilePath $exportPath -Append $count++ } # Define and output the footer with the count to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "Service Profile change entries have been added to the file: $exportPath" RestartOption } function Change-CustomerAttributes { # Ask the user for up to 5 attributes $attributes = @() for ($i = 1; $i -le 5; $i++) { $attribute = Read-Host "Enter attribute $i (leave empty if not applicable)" $attributes += $attribute } # Define the header $header = "FORMAT01`tUpdate Device Attributes`tUPDATE_ATTRIBUTES`n$inputType`tATTRIBUTE1`tATTRIBUTE2`tATTRIBUTE3`tATTRIBUTE4`tATTRIBUTE5" # Create entries in the text file for each ID with the attributes $exportPath = "customer_attributes_change.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $rangeList | ForEach-Object { $id = $_ $attributeLine = "$id" foreach ($attr in $attributes) { $attributeLine += "`t$attr" } $attributeLine | Out-File -FilePath $exportPath -Append $count++ } # Define and output the footer with the count to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "Customer Attributes change entries have been added to the file: $exportPath" } function Add-StaticIPForAPN { # Placeholder for Add Static IP for APN logic "Add Static IP for APN logic executed" RestartOption } function Change-State { # Define the header $header = "FORMAT01`tChange Device State`tCHANGE_STATE`n$inputType`tSTATE" # Ask the user to choose a state Write-Host "Please select a state for the numbers:" Write-Host "1. TEST" Write-Host "2. READY" Write-Host "3. LIVE" Write-Host "4. STANDBY" Write-Host "5. SUSPEND" Write-Host "6. INACTIVE_STOPPED" $stateChoice = Read-Host "Enter the number corresponding to the state (1-6)" $states = @("TEST", "READY", "LIVE", "STANDBY", "SUSPEND", "INACTIVE_STOPPED") $selectedState = $states[$stateChoice - 1] # Validate state choice if (-not $selectedState) { Write-Host "Invalid choice. Please enter a number from 1 to 6." exit } # Create entries in the text file for each number with the selected state $exportPath = "state_change.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $rangeList | ForEach-Object { "$_`t$selectedState" | Out-File -FilePath $exportPath -Append $count++ } # Define and output the footer to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "State change entries have been added to the file: $exportPath" RestartOption } function Main-Menu { # Ask the user to enter ICCID or IMSI $inputType = Read-Host "Do you want to enter ICCID or IMSI? (Enter 'ICCID' or 'IMSI')" $inputType = $inputType.ToUpper() # Validate input while ($inputType -ne "ICCID" -and $inputType -ne "IMSI") { $inputType = Read-Host "Do you want to enter ICCID or IMSI? (Enter 'ICCID' or 'IMSI')" $inputType = $inputType.ToUpper() if ($inputType -ne "ICCID" -and $inputType -ne "IMSI") { Write-Host "Invalid input. Please enter 'ICCID' or 'IMSI'." } } # Get starting number $startNumber = Read-Host "Enter the starting $inputType" $startNumber = [System.Numerics.BigInteger]::Parse($startNumber) # Get ending number $endNumber = Read-Host "Enter the ending $inputType" $endNumber = [System.Numerics.BigInteger]::Parse($endNumber) # Validate range loop while ($startNumber -gt $endNumber) { Write-Host "The starting number must be less than the ending number." # Get starting number $startNumber = Read-Host "Enter the starting $inputType" # Get ending number $endNumber = Read-Host "Enter the ending $inputType" } # Trim the last digit if the input type is ICCID if ($inputType -eq "ICCID") { $startNumber = Trim-LastDigit -number $startNumber $endNumber = Trim-LastDigit -number $endNumber } $endNumber = [System.Numerics.BigInteger]::Parse($endNumber) $startNumber = [System.Numerics.BigInteger]::Parse($startNumber) # Create and populate the range list $rangeList = New-Object System.Collections.Generic.List[System.Numerics.BigInteger] #Fill the Textsheet with values # call luhn if ($inputType -eq "ICCID") { for ($id = $startNumber; $id.CompareTo($endNumber) -le 0; $id = $id + [System.Numerics.BigInteger]::One) { $luhnDigit = Get-LuhnFullCode $id $fullId = "$id$luhnDigit" $rangeList.Add($fullId) } }else { for ($id = $startNumber; $id.CompareTo($endNumber) -le 0; $id = $id + [System.Numerics.BigInteger]::One) { $rangeList.Add($id) } } # Output the result Write-Host "The range list of $inputType`s from $startNumber to $endNumber has been created with $($rangeList.Count) items." # Menu for additional choices Write-Host "Please select an option:" Write-Host "1. Change State" Write-Host "2. Change Service Profile" Write-Host "3. Add static IP" Write-Host "4. Move SIM to Customer" Write-Host "5. Change customer attributes" Write-Host "6. Add static IP for APN" # Call menu function Display-MenuChoices # After the main logic, ask the user if they want to start over or make a new choice Write-Host "Do you want to start over or make a new choice?" Write-Host "1. Start with new IMSI or ICCID assignment" -ForegroundColor Green Write-Host "2. Create another batch for the existing IMSI or ICCID" -ForegroundColor Blue Write-Host "3. Exit" -ForegroundColor Red $userChoice = Read-Host "Enter your choice (1-3)" switch ($userChoice) { "1" { Main-Menu } "2" { Display-MenuChoices } "3" { Exit-Script } default { Write-Host "Invalid choice. Exiting script."; exit } } } Main-Menu
7830e409e82d0bd87cb5996724458135
{ "intermediate": 0.3704887926578522, "beginner": 0.37142330408096313, "expert": 0.2580878734588623 }
47,979
we have create ed developend ios app ffor this prject creat e caption in simple eng -CorkRules stands as a comprehensive solution for wine enthusiasts. project summary CorkRules is a wine discovery and recommendation app that also features a social media-like interface to connect with their friends and share their experiences. With advanced search filters, and a unique wine-scanning feature, CorkRules provides a comprehensive solution for wine lovers. Explore the app, savor a glass of wine, and unveil a curated selection that defines excellence. With CorkRules, users experience a seamless journey of comparing wine options, tailoring them to their tastes and budget, and effortlessly making online purchases. The app boasts an array of features, including personalized recommendations, flexible payment options, round-the-clock customer support, and a guaranteed satisfaction. Compare wine options with clarity and transparency. Tailor wine selections to suit individual preferences. Securely purchase preferred wines with ease.
b35498285809ed72952e9d6ebdd2238d
{ "intermediate": 0.3473303020000458, "beginner": 0.3358543813228607, "expert": 0.3168153464794159 }
47,980
can you change this powershell script to a powershell forms application? # Functions function RestartOption { # After the main logic, ask the user if they want to start over or make a new choice Write-Host "Do you want to start over or make a new choice?" Write-Host "1. Start with new IMSI or ICCID assignment" -ForegroundColor Orange -BackgroundColor Black Write-Host "2. Create another batch for the existing IMSI or ICCID" -ForegroundColor Green -BackgroundColor Red Write-Host "3. Exit" -ForegroundColor Red -BackgroundColor White $userChoice = Read-Host "Enter your choice (1-3)" switch ($userChoice) { "1" { Main-Menu } "2" { Display-MenuChoices } "3" { Exit-Script } default { Write-Host "Invalid choice. Exiting script."; exit } } } function Display-MenuChoices { # Menu for additional choices Write-Host "Please select an option:" Write-Host "1. Change State" -ForegroundColor Red -BackgroundColor White Write-Host "2. Change Service Profile" Write-Host "3. Add static IP" -ForegroundColor Red -BackgroundColor White Write-Host "4. Move SIM to Customer" Write-Host "5. Change customer attributes" -ForegroundColor Red -BackgroundColor White Write-Host "6. Add static IP for APN" $choice = Read-Host "Enter your choice (1-6)" switch ($choice) { "1" { Change-State } "2" { Change-ServiceProfile } "3" { Add-StaticIP } "4" { Move-SIMToCustomer } "5" { Change-CustomerAttributes } "6" { Add-StaticIPForAPN } default { Write-Host "Invalid choice." } } } function Exit-Script { # Exit the script Write-Host "Exiting script." exit } function Increment-IPAddress { param ( [Parameter(Mandatory=$true)] [string]$ip ) $ipParts = $ip -split '\.' | ForEach-Object { [int]$_ } for ($i = 3; $i -ge 0; $i--) { if ($ipParts[$i] -lt 255) { $ipParts[$i]++ break } else { $ipParts[$i] = 0 if ($i -eq 0) { throw "IP address overflow. Cannot increment beyond 255.255.255.255" } } } return $ipParts -join '.' } # Luhn Algorithm Functions function Get-LuhnChecksum { param ( [string]$code ) $len = $code.Length $parity = $len % 2 $sum = 0 for ($i = $len - 1; $i -ge 0; $i--) { $d = [int]::Parse($code[$i]) if ($i % 2 -eq $parity) { $d *= 2 } if ($d -gt 9) { $d -= 9 } $sum += $d } return $sum % 10 } function Get-LuhnFullCode { param ( [string]$partCode ) $checksum = Get-LuhnChecksum ($partCode + "0") if ($checksum -eq 0) { return 0 } else { return 10 - $checksum } } function Test-LuhnCode { param ( [string]$fullCode ) return (Get-LuhnChecksum $fullCode) -eq 0 } # Function to trim the last digit of an ICCID function Trim-LastDigit { param ( [string]$number ) # Convert the number to a string, remove the last character, and return the modified string return $number.Substring(0, $number.Length - 1) } function Change-ServiceProfile { # Ask the user for the target Service Profile $targetServiceProfile = Read-Host "What is your target Service Profile?" # Define the header $header = "FORMAT01`tChange Device Service Profile`tCHANGE_SERVICE_PROFILE`n$inputType`tSERVICEPROFILE" # Create entries in the text file for each number with the target Service Profile $exportPath = "service_profile_change.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $rangeList | ForEach-Object { "$_`t$targetServiceProfile" | Out-File -FilePath $exportPath -Append $count++ } # Define and output the footer with the count to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "Service Profile change entries have been added to the file: $exportPath" # call function Restart RestartOption } function Add-StaticIP { # Ask the user for the starting IP address $startingIP = Read-Host "What is your starting IP address?" # Define the header $header = "FORMAT01`tUpdate SIM Static IP Address`tUPDATE_ATTRIBUTES`n$inputType`tSTATICIPADDRESS" # Create entries in the text file for each number with the incremented IP address $exportPath = "static_ip_addition.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $currentIP = $startingIP $rangeList | ForEach-Object { "$_`t$currentIP" | Out-File -FilePath $exportPath -Append $currentIP = Increment-IPAddress -ip $currentIP $count++ } # Define and output the footer with the count to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "Static IP addition entries have been added to the file: $exportPath" RestartOption } function Move-SIMToCustomer { # Ask the user for the target Service Profile and target customer $targetCustomer = Read-Host "Please provide your target customer?" $targetServiceProfile = Read-Host "What is your target Service Profile?" # Define the header $header = "FORMAT01`tChange Device Service Profile`tCHANGE_SERVICE_PROFILE`n$inputType`tSERVICEPROFILE`tTARGET_CUSTOMER_NAME" # Create entries in the text file for each number with the target Service Profile $exportPath = "service_profile_change.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $rangeList | ForEach-Object { "$_`t$targetServiceProfile`t$targetCustomer" | Out-File -FilePath $exportPath -Append $count++ } # Define and output the footer with the count to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "Service Profile change entries have been added to the file: $exportPath" RestartOption } function Change-CustomerAttributes { # Ask the user for up to 5 attributes $attributes = @() for ($i = 1; $i -le 5; $i++) { $attribute = Read-Host "Enter attribute $i (leave empty if not applicable)" $attributes += $attribute } # Define the header $header = "FORMAT01`tUpdate Device Attributes`tUPDATE_ATTRIBUTES`n$inputType`tATTRIBUTE1`tATTRIBUTE2`tATTRIBUTE3`tATTRIBUTE4`tATTRIBUTE5" # Create entries in the text file for each ID with the attributes $exportPath = "customer_attributes_change.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $rangeList | ForEach-Object { $id = $_ $attributeLine = "$id" foreach ($attr in $attributes) { $attributeLine += "`t$attr" } $attributeLine | Out-File -FilePath $exportPath -Append $count++ } # Define and output the footer with the count to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "Customer Attributes change entries have been added to the file: $exportPath" } function Add-StaticIPForAPN { # Placeholder for Add Static IP for APN logic "Add Static IP for APN logic executed" RestartOption } function Change-State { # Define the header $header = "FORMAT01`tChange Device State`tCHANGE_STATE`n$inputType`tSTATE" # Ask the user to choose a state Write-Host "Please select a state for the numbers:" Write-Host "1. TEST" Write-Host "2. READY" Write-Host "3. LIVE" Write-Host "4. STANDBY" Write-Host "5. SUSPEND" Write-Host "6. INACTIVE_STOPPED" $stateChoice = Read-Host "Enter the number corresponding to the state (1-6)" $states = @("TEST", "READY", "LIVE", "STANDBY", "SUSPEND", "INACTIVE_STOPPED") $selectedState = $states[$stateChoice - 1] # Validate state choice if (-not $selectedState) { Write-Host "Invalid choice. Please enter a number from 1 to 6." exit } # Create entries in the text file for each number with the selected state $exportPath = "state_change.txt" # Output the header to the file $header | Out-File -FilePath $exportPath # Initialize count variable $count = 0 $rangeList | ForEach-Object { "$_`t$selectedState" | Out-File -FilePath $exportPath -Append $count++ } # Define and output the footer to the file $footer = "END`t$count" $footer | Out-File -FilePath $exportPath -Append Write-Host "State change entries have been added to the file: $exportPath" RestartOption } function Main-Menu { # Ask the user to enter ICCID or IMSI $inputType = Read-Host "Do you want to enter ICCID or IMSI? (Enter 'ICCID' or 'IMSI')" $inputType = $inputType.ToUpper() # Validate input while ($inputType -ne "ICCID" -and $inputType -ne "IMSI") { $inputType = Read-Host "Do you want to enter ICCID or IMSI? (Enter 'ICCID' or 'IMSI')" $inputType = $inputType.ToUpper() if ($inputType -ne "ICCID" -and $inputType -ne "IMSI") { Write-Host "Invalid input. Please enter 'ICCID' or 'IMSI'." } } # Get starting number $startNumber = Read-Host "Enter the starting $inputType" $startNumber = [System.Numerics.BigInteger]::Parse($startNumber) # Get ending number $endNumber = Read-Host "Enter the ending $inputType" $endNumber = [System.Numerics.BigInteger]::Parse($endNumber) # Validate range loop while ($startNumber -gt $endNumber) { Write-Host "The starting number must be less than the ending number." # Get starting number $startNumber = Read-Host "Enter the starting $inputType" # Get ending number $endNumber = Read-Host "Enter the ending $inputType" } # Trim the last digit if the input type is ICCID if ($inputType -eq "ICCID") { $startNumber = Trim-LastDigit -number $startNumber $endNumber = Trim-LastDigit -number $endNumber } $endNumber = [System.Numerics.BigInteger]::Parse($endNumber) $startNumber = [System.Numerics.BigInteger]::Parse($startNumber) # Create and populate the range list $rangeList = New-Object System.Collections.Generic.List[System.Numerics.BigInteger] #Fill the Textsheet with values # call luhn if ($inputType -eq "ICCID") { for ($id = $startNumber; $id.CompareTo($endNumber) -le 0; $id = $id + [System.Numerics.BigInteger]::One) { $luhnDigit = Get-LuhnFullCode $id $fullId = "$id$luhnDigit" $rangeList.Add($fullId) } }else { for ($id = $startNumber; $id.CompareTo($endNumber) -le 0; $id = $id + [System.Numerics.BigInteger]::One) { $rangeList.Add($id) } } # Output the result Write-Host "The range list of $inputType`s from $startNumber to $endNumber has been created with $($rangeList.Count) items." # Menu for additional choices Write-Host "Please select an option:" Write-Host "1. Change State" Write-Host "2. Change Service Profile" Write-Host "3. Add static IP" Write-Host "4. Move SIM to Customer" Write-Host "5. Change customer attributes" Write-Host "6. Add static IP for APN" # Call menu function Display-MenuChoices # After the main logic, ask the user if they want to start over or make a new choice Write-Host "Do you want to start over or make a new choice?" Write-Host "1. Start with new IMSI or ICCID assignment" -ForegroundColor Green Write-Host "2. Create another batch for the existing IMSI or ICCID" -ForegroundColor Blue Write-Host "3. Exit" -ForegroundColor Red $userChoice = Read-Host "Enter your choice (1-3)" switch ($userChoice) { "1" { Main-Menu } "2" { Display-MenuChoices } "3" { Exit-Script } default { Write-Host "Invalid choice. Exiting script."; exit } } } Main-Menu
a0f1369e0a6ea70f3f408c385258f395
{ "intermediate": 0.3589528203010559, "beginner": 0.39162716269493103, "expert": 0.24942006170749664 }
47,981
write four sentences of supporting details of this topic: "Many memes on the Internet are actually socially relevant." to make a paragraph
382c9f67c6fa874166a8c00115cbe281
{ "intermediate": 0.38362160325050354, "beginner": 0.3602837920188904, "expert": 0.25609463453292847 }
47,982
how to make the if condition fails if ((gr->parent && !gr->parent->overlay_enabled) || (gr->parent && gr->parent->overlay_enabled && !gr->overlay_enabled))
2f1bd3a9b7556a81d8f3603f1a3028c9
{ "intermediate": 0.3236421048641205, "beginner": 0.4013907015323639, "expert": 0.27496716380119324 }
47,983
Crea un effeetto modern fluid alla barra downBar quando si distacca dallo schhermo (Ovverro quando il marrginBottom diveenta -5px) #inputBar{ width: 200px; padding: 7px; border-radius: 20px; background-color: #111; outline: none; color: white; border: none; z-index: 5; } #downBar { position: fixed; bottom: -5px; left: 50%; transform: translateX(-50%); padding: 15px; border-radius: 30px; background-color: rgba(255, 255, 255, 0.1); backdrop-filter: blur(10px); box-shadow: 0 0 5px 1px #000; width: 250px; z-index: 5; transition: 200ms ease-out; } </div> <div id="downBar"> <input type="text" id="inputBar" placeholder="Search Theme"> </div> <div class="neon-light-down" id="neon-light-down"></div> document.addEventListener("DOMContentLoaded", function() { const input = document.querySelector("#inputBar"); const bar = document.querySelector("#downBar"); const gridItems = document.querySelectorAll(".card-container"); const neonLight = document.querySelector(".neon-light-down"); input.addEventListener("input", function() { const searchTerm = input.value.trim().toLowerCase(); gridItems.forEach(function(container) { const cards = container.querySelectorAll(".card"); cards.forEach(function(card) { const itemName = card.querySelector("h3").textContent.toLowerCase(); if (itemName.includes(searchTerm)) { container.style.display = "flex"; card.style.display = "block"; } else { card.style.display = "none"; } }); }); }); bar.addEventListener("mouseenter", function() { neonLight.style.opacity = "1"; }); input.addEventListener("focus", function() { bar.style.marginBottom = "30px"; neonLight.style.opacity = "1"; }); input.addEventListener("focusout", function() { bar.style.marginBottom = "-5px"; neonLight.style.opacity = "0"; }); bar.addEventListener("mouseleave", function() { neonLight.style.opacity = "0"; }); });
d88165009e58e81ff01fc2a14151a898
{ "intermediate": 0.28508448600769043, "beginner": 0.3977317810058594, "expert": 0.3171837627887726 }
47,984
Crea un effeetto modern fluid alla barra downBar quando si distacca dallo schhermo, quindi che si collega alla parte sotto rilasciando particelle "fluid" dalla parte infeerriore dello schermo a quella superiore. (Ovverro quando il marrginBottom diveenta -5px) #inputBar{ width: 200px; padding: 7px; border-radius: 20px; background-color: #111; outline: none; color: white; border: none; z-index: 5; } #downBar { position: fixed; bottom: -5px; left: 50%; transform: translateX(-50%); padding: 15px; border-radius: 30px; background-color: rgba(255, 255, 255, 0.1); backdrop-filter: blur(10px); box-shadow: 0 0 5px 1px #000; width: 250px; z-index: 5; transition: 200ms ease-out; } </div> <div id=“downBar”> <input type=“text” id=“inputBar” placeholder=“Search Theme”> </div> <div class=“neon-light-down” id=“neon-light-down”></div> document.addEventListener(“DOMContentLoaded”, function() { const input = document.querySelector(“#inputBar”); const bar = document.querySelector(“#downBar”); const gridItems = document.querySelectorAll(“.card-container”); const neonLight = document.querySelector(“.neon-light-down”); input.addEventListener(“input”, function() { const searchTerm = input.value.trim().toLowerCase(); gridItems.forEach(function(container) { const cards = container.querySelectorAll(“.card”); cards.forEach(function(card) { const itemName = card.querySelector(“h3”).textContent.toLowerCase(); if (itemName.includes(searchTerm)) { container.style.display = “flex”; card.style.display = “block”; } else { card.style.display = “none”; } }); }); }); bar.addEventListener(“mouseenter”, function() { neonLight.style.opacity = “1”; }); input.addEventListener(“focus”, function() { bar.style.marginBottom = “30px”; neonLight.style.opacity = “1”; }); input.addEventListener(“focusout”, function() { bar.style.marginBottom = “-5px”; neonLight.style.opacity = “0”; }); bar.addEventListener(“mouseleave”, function() { neonLight.style.opacity = “0”; }); });
91775c14f2597840b7487eda8c2cd419
{ "intermediate": 0.3662269711494446, "beginner": 0.339428573846817, "expert": 0.2943444550037384 }
47,985
from sklearn.neighbors import KNeighborsClassifier from sklearn.multiclass import OneVsRestClassifier from sklearn.metrics import classification_report for i in range(5,6): knn = OneVsRestClassifier(KNeighborsClassifier(i)).fit(x_train_embeddings,y_train) y_pred = knn.predict(x_test_embeddings) print_report(y_test,y_pred,f'{i}') ////// Modify the code, implementing a recurrent neuronal network trained with x_train_embeddings and show the results using print_report function. Use keras and tensorflow
4b608a5985e8a78a34aa330a788d1c9e
{ "intermediate": 0.2937999665737152, "beginner": 0.1741974651813507, "expert": 0.5320025682449341 }
47,986
from sklearn.neighbors import KNeighborsClassifier from sklearn.multiclass import OneVsRestClassifier from sklearn.metrics import classification_report for i in range(5,6): knn = OneVsRestClassifier(KNeighborsClassifier(i)).fit(x_train_embeddings,y_train) y_pred = knn.predict(x_test_embeddings) print_report(y_test,y_pred,f’{i}') ////// Modify the code, implementing a recurrent neuronal network trained with x_train_embeddings and show the results using print_report function. Use keras and tensorflow The dataset is multilabel tweet clasifier
f7c3a7bd86a2bb54337f366cc5982f9e
{ "intermediate": 0.3566938638687134, "beginner": 0.12340816110372543, "expert": 0.5198979377746582 }
47,987
from sklearn.neighbors import KNeighborsClassifier from sklearn.multiclass import OneVsRestClassifier from sklearn.metrics import classification_report for i in range(5,6): knn = OneVsRestClassifier(KNeighborsClassifier(i)).fit(x_train_embeddings,y_train) y_pred = knn.predict(x_test_embeddings) print_report(y_test,y_pred,f’{i}') ////// Modify the code, implementing a recurrent neuronal network trained with x_train_embeddings and show the results using print_report function. Use keras and tensorflow The dataset is multilabel tweet clasifier and it's already preprocesed in x_train_embeddings . Every tweet is transformed in a 384 length vector list.
b18f5ba9ede67db46c2b446befc5c91e
{ "intermediate": 0.30274301767349243, "beginner": 0.16093622148036957, "expert": 0.5363207459449768 }
47,988
This code is not synchronnous, documentsToInsert is alwasy coming null and is executing first please fix it const fs = require("fs"); const csv = require("csv-parser"); const mongoose = require("mongoose"); // Connect to MongoDB mongoose.connect("mongodb://sai:medicssai@13.233.171.43:27030/zenith_db", { useNewUrlParser: true, useUnifiedTopology: true, }); const db = mongoose.connection; const labTestSupplierMapSchema = new mongoose.Schema({ gridTest: { code: String, name: String, }, supplier: { code: String, name: String, }, supplierTest: { code: String, name: String, }, }); const LabTestSupplierMap = mongoose.model( "LabTestSupplierMap", labTestSupplierMapSchema ); const documentsToInsert = []; // Read CSV file fs.createReadStream("gridMappingAnandLabs.csv") .pipe(csv()) .on("data", async (row) => { console.log("Row from CSV:", row); // Log the entire row to check its content const document = { gridTest: { code: `AD/270/${row.serviceCode}`, name: row.serviceName, }, supplier: { code: "168833", name: "Anand Diagnostic Laboratory", }, supplierTest: { code: row.vendorCode, name: row.vendorName, }, }; try { // Check if document with same gridTest.code exists const existingDoc = await LabTestSupplierMap.findOne({ "gridTest.code": document.gridTest.code, }); // If document with same gridTest.code doesn't exist, add to documentsToInsert array if (!existingDoc) { console.log("Document added for insertion:", document); documentsToInsert.push(document); } else { console.log("Duplicate document found. Skipping insertion:", document); } } catch (err) { console.error("Error querying MongoDB:", err); } }) .on("end", () => { exportDocumentsToJSON(documentsToInsert); }) .on("error", (err) => { console.error("Error reading CSV file:", err); }); async function exportDocumentsToJSON(documents) { console.log(JSON.stringify(documents, null, 2)); fs.writeFile( "documents_to_insert.json", JSON.stringify(documents, null, 2), (err) => { if (err) { console.error("Error writing JSON file:", err); } else { console.log("Documents to insert exported to documents_to_insert.json"); } } ); }
fb80b75418bd2b8c815cb5fd48ea353c
{ "intermediate": 0.5976961851119995, "beginner": 0.255054235458374, "expert": 0.14724954962730408 }
47,989
I need you to review the below code for calculating the reward, here i am getting the reward for some inputs as in lakhs, which of the computation makes it to such large result, please identify the cause of such large rewards. LARGE_REWARD = 10 SMALL_REWARD = 1 PENALTY = 1 ADDITIONAL_PENALTY = 0.5 LARGE_PENALTY = 5 def calculate_reward(self, c_metrics, p_metrics, transistor_regions, previous_transistor_regions): # Define order of metrics metrics_order = ['Area', 'PowerDissipation', 'SlewRate', 'Gain', 'Bandwidth3dB', 'UnityGainFreq', 'PhaseMargin'] importance_factor = [5, 5, 2, 3, 2, 4, 3] # Hypothetical importance weights for each metric current_metrics = np.array([c_metrics[k] for k in metrics_order]) previous_metrics = np.array([p_metrics[k] for k in metrics_order]) reward = 0 # Check if all transistors are in saturation all_in_saturation = all(region == 2 for region in transistor_regions.values()) # Check if the performance metrics is within the target specification performance_metrics_in_target = self.is_performance_metrics_in_target(current_metrics) # Additional penalty condition check if current_metrics[3] < 0 and current_metrics[5] == 0 and current_metrics[6] == 0: # Applying a small penalty times 5 for the stated condition reward -= self.ADDITIONAL_PENALTY * 5 # Check if the performance metrics is better or worse than before # Initialize an array to track if performance is getting better for each metric performance_metrics_getting_better = np.zeros_like(current_metrics, dtype=bool) # Iterate over each metric and define our condition for ‘better’ based on the metric for idx, (current, previous) in enumerate(zip(current_metrics, previous_metrics)): if idx < 2: # Smaller is better for 'area' & 'power dissipation' improvement = previous - current if improvement > 0: reward += improvement * importance_factor[idx] * self.SMALL_REWARD # Dynamically scale reward performance_metrics_getting_better[idx] = True else: # Larger is better for the other metrics improvement = current - previous if improvement > 0: reward += improvement * importance_factor[idx] * self.SMALL_REWARD performance_metrics_getting_better[idx] = True # Check how many transistors were not in saturation previously and are in saturation now newly_in_saturation = sum(1 for current_region, previous_region in zip(transistor_regions.values(), previous_transistor_regions.values()) if current_region == 2 and previous_region != 2) newly_not_in_saturation = sum(1 for region, prev_region in zip(transistor_regions.values(), previous_transistor_regions.values()) if region != 2 and prev_region == 2) # Count of metrics getting better and worse num_better = np.count_nonzero(performance_metrics_getting_better) num_worse = len(current_metrics) - num_better # Reward if all performance metrics are improving and all transistors are in saturation if num_better == len(current_metrics) and all_in_saturation: reward += self.LARGE_REWARD # Else if performance metrics are all within target but not all transistors are in saturation, reward elif performance_metrics_in_target and not all_in_saturation: reward += self.SMALL_REWARD # Else if performance metrics are not in target, consider further details elif not performance_metrics_in_target: if all_in_saturation: # Reward if all transistors are in saturation, even if metrics are not in target reward += self.SMALL_REWARD reward += self.SMALL_REWARD * num_better - self.PENALTY * num_worse # Reward improvement in saturation, if not already rewarded for all metrics improving if newly_in_saturation > 0: reward += self.SMALL_REWARD * newly_in_saturation # Penalize if some transistors have fallen out of saturation since the last evaluation if newly_not_in_saturation > 0: reward -= self.ADDITIONAL_PENALTY * newly_not_in_saturation # Independent of the above, penalize if any transistor is out of saturation penalty_count = sum(1 for region in transistor_regions.values() if region != 2) reward -= self.LARGE_PENALTY * penalty_count normalized_rewards = int(reward) return normalized_rewards
e1e9fbdf491dbe27eddc77ed3928cbaf
{ "intermediate": 0.37179651856422424, "beginner": 0.44208839535713196, "expert": 0.1861151158809662 }
47,990
correct this: row1=0 row2=0 TrainX11=pd.DataFrame() for i in range(len(idx1)): if idx1[0]==1: row1=row1+1 TrainX11.iloc[row1]=TrainX1.iloc[i] error: ValueError Traceback (most recent call last) <ipython-input-68-8cb028f2a70f> in <cell line: 5>() 4 TrainX11=pd.DataFrame() 5 for i in range(len(idx1)): ----> 6 if idx1[0]==1: 7 row1=row1+1 8 TrainX11.iloc[row1]=TrainX1.iloc[i] /usr/local/lib/python3.10/dist-packages/pandas/core/generic.py in __nonzero__(self) 1464 @final 1465 def __nonzero__(self) -> NoReturn: -> 1466 raise ValueError( 1467 f"The truth value of a {type(self).__name__} is ambiguous. " 1468 "Use a.empty, a.bool(), a.item(), a.any() or a.all()." ValueError: The truth value of a Series is ambiguous. Use a.empty, a.bool(), a.item(), a.any() or a.all().
78e5269c6fd0e0f56fd46d8ead076ccb
{ "intermediate": 0.42269667983055115, "beginner": 0.354579895734787, "expert": 0.22272340953350067 }