row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
19,693
// ignore_for_file: use_key_in_widget_constructors, library_private_types_in_public_api import 'package:flutter/material.dart'; import 'package:flutter_overboard/flutter_overboard.dart'; /// this class uses this library flutter_overboard /// the link to it is https://pub.dev/packages/flutter_overboard#-installing-tab- class IntroOverboardPage extends StatefulWidget { static const routeName = '/IntroOverboardPage'; @override _IntroOverboardPageState createState() => _IntroOverboardPageState(); } class _IntroOverboardPageState extends State<IntroOverboardPage> with TickerProviderStateMixin { final GlobalKey<ScaffoldState> _globalKey = GlobalKey<ScaffoldState>(); @override void initState() { super.initState(); } @override Widget build(BuildContext context) { /// ----------------------------------------------- /// Build main content with Scaffold widget. /// ----------------------------------------------- return Scaffold( key: _globalKey, /// ----------------------------------------------- /// Build Into with OverBoard widget. /// ----------------------------------------------- body: OverBoard( pages: pages, showBullets: true, skipCallback: () { _globalKey.currentState?.showSnackBar(SnackBar( content: Text("Skip clicked"), )); }, finishCallback: () { _globalKey.currentState?.showSnackBar(SnackBar( content: Text("Finish clicked"), )); }, ), ); } /// ----------------------------------------------- /// making list of PageModel needed to pass in OverBoard constructor. /// ----------------------------------------------- final pages = [ PageModel( color: const Color(0xFF0097A7), imageAssetPath: 'assets/images/01.png', title: 'Screen 1', body: 'Share your ideas with the team', doAnimateImage: true), PageModel( color: const Color(0xFF536DFE), imageAssetPath: 'assets/images/02.png', title: 'Screen 2', body: 'See the increase in productivity & output', doAnimateImage: true), PageModel( color: const Color(0xFF9B90BC), imageAssetPath: 'assets/images/03.png', title: 'Screen 3', body: 'Connect with the people from different places', doAnimateImage: true), PageModel.withChild( child: Padding( padding: EdgeInsets.only(bottom: 25.0), child: Image.asset('assets/images/02.png', width: 300.0, height: 300.0), ), color: const Color(0xFF5886d6), doAnimateChild: false) ]; }
f47c12aa9e8c3b2cfe130b79a611e15f
{ "intermediate": 0.37208306789398193, "beginner": 0.4480332136154175, "expert": 0.17988373339176178 }
19,694
now add a color-burn to background: radial-gradient(circle at top right, #021, #123, #120, #121, #021); Certainly! To add a color-burn effect to the background property with a radial gradient, you can use the CSS background-blend-mode property. Here’s an example: .my-element { background: radial-gradient(circle at top right, #021, #123, #120, #121, #021); background-blend-mode: color-burn; } In the above example, the background property sets the radial gradient background with the specified colors. The background-blend-mode property is then used to apply the color-burn blending mode to the background, resulting in a color-burn effect. You can modify the values and positioning of the radial gradient according to your preferences. Additionally, you can experiment with other blending modes (multiply, overlay, etc.) to achieve different visual effects. I hope this helps! Let me know if you have any further questions. not inbetween but for actual bg used, just filter. how?
6d7f8e142bb10c52fade17d3b3e50584
{ "intermediate": 0.40232089161872864, "beginner": 0.3645499050617218, "expert": 0.23312920331954956 }
19,695
how do run a simple c program using the program cygwin
9ab7b2928c3db1535d837a8579c72889
{ "intermediate": 0.23460228741168976, "beginner": 0.4936116337776184, "expert": 0.27178600430488586 }
19,696
Write a C++ program whose main function is merely a collection of variable declarations and function calls. This program reads a text and outputs the letters, together with their counts, as explained below in the function printResult. There can be no global variables! All information must be passed in and out of the functions. Use a structure to store the information. Your program must consist of at least the following functions: 1. Function openFile: Opens the input and output files. You must pass the file streams as parameters (by reference, of course). If the file does not exist, the program should print an appropriate message and exit. The program must ask the user for the names of the input and output files. 2. Function count: Counts every occurrence of capital letters A-Z and small letters a-z in the text file opened in the function openFile. This information must go into an array of structures. The array must be passed as a parameter, and the file identifier must also be passed as a parameter. 3. Function printResult: Prints the number of capital letters and small letters, as well as the percentage of capital letters for every letter A-Z and the percentage of small letters for every letter a-z. The percentages should look like this: "25%". This information must come from an array of structures, and this array must be passed as a parameter. Few Other Logistics: The input and output files are regular text file. Please submit a zip file with only your CODE (.cpp file) and a Makefile We will test on various text files, not just on the given input file. A Sample Run Consider a file content as below: The person I intend to interview is known as Koushik Chakraborty. My goal is to perform a rigorous technical interview with focus on Artificial Intelligence Hardware design. Here is the output file generated by the code: Letter Count Pecentage of Occurrence A 1 0.69% B 0 0.00% C 1 0.69% D 0 0.00% E 0 0.00% F 0 0.00% G 0 0.00% H 1 0.69% I 2 1.38% J 0 0.00% K 1 0.69% L 0 0.00% M 1 0.69% N 0 0.00% O 0 0.00% P 0 0.00% Q 0 0.00% R 0 0.00% S 0 0.00% T 1 0.69% U 0 0.00% V 0 0.00% W 0 0.00% X 0 0.00% Y 0 0.00% Z 0 0.00% a 9 6.21% b 1 0.69% c 5 3.45% d 3 2.07% e 14 9.66% f 3 2.07% g 4 2.76% h 5 3.45% i 16 11.03% j 0 0.00% k 3 2.07% l 5 3.45% m 1 0.69% n 12 8.28% o 12 8.28% p 2 1.38% q 0 0.00% r 12 8.28% s 8 5.52% t 10 6.90% u 3 2.07% v 2 1.38% w 5 3.45% x 0 0.00% y 2 1.38% z 0 0.00%
2aab1e05b8460bed9cfe4703a7c33b34
{ "intermediate": 0.36964914202690125, "beginner": 0.32711583375930786, "expert": 0.30323508381843567 }
19,697
sort an array of objects using another sorted array containing ids in react
ec9079bb69ce9b9d705fd3408bce8678
{ "intermediate": 0.40056702494621277, "beginner": 0.18663015961647034, "expert": 0.4128028154373169 }
19,698
In Hibernate 6.2.7, hbm.xml files are apparently deprecated. Here is my student.hbm.xml.: <?xml version = "1.0" encoding = "utf-8"?> <!DOCTYPE hibernate-mapping PUBLIC "-//Hibernate/Hibernate Mapping DTD//EN" "http://www.hibernate.org/dtd/hibernate-mapping-3.0.dtd"> <hibernate-mapping> <class name = "Student" table = "students"> <id name = "id" type = "int" column = "id"> <generator class="increment"/> </id> <property name = "name" column = "name" type = "string"/> <property name = "email" column = "email"/> <!-- No need to explicitly state string type. --> <property name = "phone" column = "phone" type = "Long"/> </class> </hibernate-mapping> Convert it to the non-deprecated version, and tell me what the non-deprecated version is.
20056f3103a18612bfd1d7f6186d4757
{ "intermediate": 0.39583054184913635, "beginner": 0.3096138536930084, "expert": 0.2945556342601776 }
19,699
I want to make chatbot for Healthcare service , where users have to share details lke Age, Height, weight, sysmtoms and chatbot will reply with recomeded medicine and also recommend doctor and heathcare nearby from our data abse. I want to use php/mysql for this. Please suggest how to start developing and doiable is possible or not. how to Train chatgpt model. how chatgpt intract with application
e2ac045aa3761c88244a0f6f9d2e7d5c
{ "intermediate": 0.2922172248363495, "beginner": 0.139629065990448, "expert": 0.5681537389755249 }
19,700
Write a code for creating landing page of shoe website using MERN Stack and Tailwind CSS
cbb4f96d576324c6e60abf62ec4f1351
{ "intermediate": 0.442728728055954, "beginner": 0.22271545231342316, "expert": 0.3345557451248169 }
19,701
Generate a C++ code for builder design pattern
39e3a4ac67d25dfbcdc5e546e8e461ed
{ "intermediate": 0.19823770225048065, "beginner": 0.41467148065567017, "expert": 0.3870908319950104 }
19,702
1. Write and explain the structure of HTML Document. 2. Write steps to create HTML Document in Notepad, save it and also show the output in the browser. 3. Design a page with different types of Headings. 4. Design a page with atleast 15 lines of text and use various Text Formatting tags. 5. Display your name on the web page using Heading1 in five different Fonts and Colors. 6. Design your Resume/Portfolio page with your picture. 7. Display your Class Time Table using the Table Tag. 8. Design a Login Form using HTML only. 9. Design a Feedback/ Registration Form using various form elements. 10. Use Frames to display multiple pages in single browser window (Like, Resume, Table, Login, Registration Links on One side and Page in other frame). Create an assignment with questions written above and solutions written below respectively
970c254e7e3b570bc4182676252c2fdc
{ "intermediate": 0.29462382197380066, "beginner": 0.41015249490737915, "expert": 0.2952237129211426 }
19,703
can you code a skript that when that player place a spawner near another spawner, it will merge together and when they sneak and place near that spawners it will take all the spawner type of that player placed and merge together. and another one when they break the spawner while shifting allowed them to get the original amount of the spawner they placed
554eb80658404516bf0a272d001039df
{ "intermediate": 0.30006852746009827, "beginner": 0.1174376979470253, "expert": 0.5824938416481018 }
19,704
Suggested methods to do for mom who lost her child?
0ea11e3fbd9622b01927d4cdc0b0ab9f
{ "intermediate": 0.3598204553127289, "beginner": 0.33209195733070374, "expert": 0.3080875873565674 }
19,705
What's the biggest prime number
2c6f7dae490376c832e58055535e5d93
{ "intermediate": 0.39259210228919983, "beginner": 0.34223735332489014, "expert": 0.2651705741882324 }
19,706
D=0;ST=12;%日期、当地时间 omega=pi/12.*(ST-12);%太阳时角 delta=asin(sin(2*pi/365*D).*sin(2*pi/360*23.45));%太阳赤纬角 s=asin(cos(delta).*cos(0.688).*cos(omega)+sin(delta).*sin(0.688));%高度角 r=acos(sin(delta)-sin(s).*sin(0.688)/cos(s).*cos(0.688));%方位角 X=0;Y=0;Z=72;%塔相对位置和高度 x=A(:,1);y=A(:,2);%板位置 Rt=zeros(1745,1); for i=1:1745 if x(i)<=X Rt(i)=pi./2-atan((Y-y(i))./(X-x(i)));%板出射光线方位 else Rt(i)=3*pi./2-atan((Y-y(i))./(X-x(i))); end end St=atan(Z./(((X-x).^2+(Y-y).^2).^0.5)); for j=1:1745 if Rt(j)>=r||Rt(j)>=pi+r Rv=(2*pi-Rt+r)/2; else Rv=(Rt+r)/2;%板法向方位 end end Sv=(s+St)/2;%板法向高度 a1=sin(r).*cos(s); b1=sin(r).*sin(s); c1=cos(s); a2=sin(Rv).*cos(Sv); b2=sin(Rv).*sin(Sv); c2=cos(Sv); costhela=abs((a1.*a2+b1.*b2+c1.*c2)./(((a1.*a1+b1.*b1+c1.*c1).^0.5).*((a2.*a2+b2.*b2+c2.*c2).^0.5)));%余弦效率 at=0.99321-0.0001177.*(x.*x+y.*y).^0.5+1.97e-8.*(x.*x+y.*y);%透射率 ref=0.92;%反射率 niu=costhela.*at.*ref; plot3(x,y,Rv)
3d465b7154e0c9bf796acfd4cc511563
{ "intermediate": 0.3123210370540619, "beginner": 0.4328724443912506, "expert": 0.2548064887523651 }
19,707
What will be the output of '$?' in bash Linux? How to create an empty file in Linux?
d81ec3e0f495e629e15ade09594a2992
{ "intermediate": 0.38570523262023926, "beginner": 0.41319429874420166, "expert": 0.20110046863555908 }
19,708
how to hello react"
829291ce0f21be11dd6e7aac94ac235e
{ "intermediate": 0.4308326542377472, "beginner": 0.29755502939224243, "expert": 0.2716122567653656 }
19,709
Type 'RedisMiddleware' is missing the following properties from type '(string | RegExp)[]': length, pop, push, concat, and 31 more.
5e3d0737828b66c2d40dc937b09bf125
{ "intermediate": 0.5569339394569397, "beginner": 0.23413091897964478, "expert": 0.20893505215644836 }
19,710
D=0;ST=12;%日期、当地时间 omega=pi/12.*(ST-12);%太阳时角 delta=asin(sin(2*pi/365*D).*sin(2*pi/360*23.45));%太阳赤纬角 s=asin(cos(delta).*cos(0.688).*cos(omega)+sin(delta).*sin(0.688));%高度角 r=acos(sin(delta)-sin(s).*sin(0.688)/cos(s).*cos(0.688));%方位角 X=0;Y=0;Z=72;%塔相对位置和高度 x=A(:,1);y=A(:,2);%板位置 Rt=zeros(1745,1); for i=1:1745 if x(i)<=X Rt(i)=pi./2-atan((Y-y(i))./(X-x(i)));%板出射光线方位 else Rt(i)=3*pi./2-atan((Y-y(i))./(X-x(i))); end end St=atan(Z./(((X-x).^2+(Y-y).^2).^0.5)); figure; for j=1:1745 if Rt(j)>=r||Rt(j)>=pi+r Rv=(2*pi-Rt+r)/2; else Rv=(Rt+r)/2; %板法向方位 end end Sv=(s+St)/2; plot3(x,y,Sv,'r'); hold off; a1=sin(r).*cos(s); b1=sin(r).*sin(s); c1=cos(s); a2=sin(Rv).*cos(Sv); b2=sin(Rv).*sin(Sv); c2=cos(Sv); costhela=abs((a1.*a2+b1.*b2+c1.*c2)./(((a1.*a1+b1.*b1+c1.*c1).^0.5).*((a2.*a2+b2.*b2+c2.*c2).^0.5)));%余弦效率 at=0.99321-0.0001177.*(x.*x+y.*y).^0.5+1.97e-8.*(x.*x+y.*y);%透射率 ref=0.92;%反射率 niu=costhela.*at.*ref; plot3(x,y,Rv) 这段代码中Rt表示什么
1909722067042907aeae41135099c1d0
{ "intermediate": 0.32459232211112976, "beginner": 0.39124494791030884, "expert": 0.2841626703739166 }
19,711
beautifulsoup save get tag value like get metod in dict
7b7dc157937b423a7a1d8fb2e28983b6
{ "intermediate": 0.4080052375793457, "beginner": 0.3232033848762512, "expert": 0.2687913477420807 }
19,712
I want you to show me steps on how to implement Redis with mongodb in express. It is a typescript application. What i want to do is, I want it to be a middleware, and I want to use it as a cache when ever i want to reuse an already called api.
da0c5d1256e2eae61e4284b91812532f
{ "intermediate": 0.7729012966156006, "beginner": 0.14636021852493286, "expert": 0.08073844015598297 }
19,713
how to
4396b9b5cfdeb72a0b5a53c608c43b56
{ "intermediate": 0.36113861203193665, "beginner": 0.2962057292461395, "expert": 0.34265565872192383 }
19,714
Cannot read properties of undefined (reading 'pagination') TypeError: Cannot read properties of undefined (reading 'pagination') at mountSwiper (http://localhost:3000/static/js/bundle.js:57578:19) at http://localhost:3000/static/js/bundle.js:57967:62 at commitHookEffectListMount (http://localhost:3000/static/js/bundle.js:39091:30) at invokeLayoutEffectMountInDEV (http://localhost:3000/static/js/bundle.js:40751:17) at invokeEffectsInDev (http://localhost:3000/static/js/bundle.js:42679:15) at commitDoubleInvokeEffectsInDEV (http://localhost:3000/static/js/bundle.js:42660:9) at flushPassiveEffectsImpl (http://localhost:3000/static/js/bundle.js:42435:9) at flushPassiveEffects (http://localhost:3000/static/js/bundle.js:42373:18) at commitRootImpl (http://localhost:3000/static/js/bundle.js:42332:9) at commitRoot (http://localhost:3000/static/js/bundle.js:42115:9) как решать это проблему
fb6620aa36b3e80d8fa44f34cafa4e96
{ "intermediate": 0.39094507694244385, "beginner": 0.3373168408870697, "expert": 0.2717380225658417 }
19,715
I want to add redis to my existing node, mongoose, express typescript REST api. I want you to show me how I can do it.
a20de1a168168f46958f9a9e967927d9
{ "intermediate": 0.8580276966094971, "beginner": 0.08471397310495377, "expert": 0.057258300483226776 }
19,716
in python write a program that have two modules, module1 and module 2. In module 1 you make a function that returns the result of the globals() function and in module 2 you import module1 and call that function
4bb554dbaa6a36a89d9e5fe470b4352f
{ "intermediate": 0.3757250905036926, "beginner": 0.35431405901908875, "expert": 0.269960880279541 }
19,717
hello
aaad8a2baa49957fd58cb29cf72bbd3b
{ "intermediate": 0.32064199447631836, "beginner": 0.28176039457321167, "expert": 0.39759764075279236 }
19,718
finds paths and conditions in the code and also give 1 test case for each of their testing
2e2ab7dcc7c239468d5acbb68d638701
{ "intermediate": 0.33729225397109985, "beginner": 0.27773764729499817, "expert": 0.38497012853622437 }
19,719
import mongoose from ‘mongoose’; import cacheManager from ‘cache-manager’; import redisStore from ‘cache-manager-ioredis’; import { Schema, model, Document } from ‘mongoose’; const redisCache = cacheManager.caching({ store: redisStore, host: ‘localhost’, port: 6379, }); mongoose.plugin(require(‘mongoose-cache-manager’)); mongoose.connect(‘<your-mongo-db-connection-string>’, { useNewUrlParser: true, useUnifiedTopology: true, useCreateIndex: true, useFindAndModify: false, cache: redisCache, }); const YourSchema = new Schema({ // Define your schema fields }); interface YourDocument extends Document { // Define your document properties and methods (if any) } const YourModel = model<YourDocument>(‘YourModel’, YourSchema); app.get(‘/api/data’, async (req, res) => { try { const result = await YourModel.find({}).cache().exec(); res.json(result); } catch (error) { console.error(‘Error:’, error); res.status(500).json({ error: ‘Internal Server Error’ }); } }); When implementing this, all the fields added in options are invalid.
08ebf6769dd2e47f55c29b0de48b7d5f
{ "intermediate": 0.5864198207855225, "beginner": 0.2660196125507355, "expert": 0.14756052196025848 }
19,720
import mongoose from ‘mongoose’; import cacheManager from ‘cache-manager’; import redisStore from ‘cache-manager-ioredis’; import { Schema, model, Document } from ‘mongoose’; const redisCache = cacheManager.caching({ store: redisStore, host: ‘localhost’, port: 6379, }); mongoose.plugin((schema: any) => { schema.cache(); }); mongoose.connect(‘<your-mongo-db-connection-string>’, { useNewUrlParser: true, useUnifiedTopology: true, useCreateIndex: true, useFindAndModify: false, }); const YourSchema = new Schema({ // Define your schema fields }); interface YourDocument extends Document { // Define your document properties and methods (if any) } const YourModel = model<YourDocument>(‘YourModel’, YourSchema); app.get(‘/api/data’, async (req, res) => { try { const result = await YourModel.find({}).cache().exec(); res.json(result); } catch (error) { console.error(‘Error:’, error); res.status(500).json({ error: ‘Internal Server Error’ }); } });
e37d6554b581767302744c37bac0ad87
{ "intermediate": 0.5185584425926208, "beginner": 0.31338390707969666, "expert": 0.1680576354265213 }
19,721
Dim sfd As New SaveFileDialog sfd.Filter = "Access DB |*.accdb" If sfd.ShowDialog = Windows.Forms.DialogResult.OK Then TextBox1.Text = sfd.FileName Dim srcpath, destpath As String srcpath = Application.StartupPath & "\Data\Super Market.accdb" destpath = sfd.FileName My.Computer.FileSystem.CopyFile(srcpath, destpath) MsgBox("تم عمل نسخة احتاطية من البرنامج") End If I want this code to delete the last backup and make a new one with the same name
3e397e7309cbcd95e7ffbc221813c79d
{ "intermediate": 0.3980996310710907, "beginner": 0.3498753607273102, "expert": 0.2520250082015991 }
19,722
make a script for 2d sprite object in unity, drag left and right to move in that direction (x direction)
6abc8411a36b1b0236a16c075d4987a5
{ "intermediate": 0.43973374366760254, "beginner": 0.19268690049648285, "expert": 0.3675794005393982 }
19,723
how to make the ranking by amount in Power BI Dax formula
583d6770cae0232288c8000e5ad9280e
{ "intermediate": 0.24003757536411285, "beginner": 0.23697535693645477, "expert": 0.5229870080947876 }
19,724
write me a code based on these بعدی <span style="margin-left:10px;" class="fa fa-angle-double-right"></span>
955cee2c1c06234773756c9b8c8eb42c
{ "intermediate": 0.27564385533332825, "beginner": 0.5041465759277344, "expert": 0.22020962834358215 }
19,725
<input class="form-control calendarinput rtlinsert" type="text" readonly="" placeholder="لطفا یک تاریخ ملاقات انتخاب کنید" style="cursor: pointer"> <span class="input-group-addon"><i class="fa fa-calendar" aria-hidden="true"></i></span> write me a code for refreshing calender
e5a4a591ad473dddf5da54b6741c6594
{ "intermediate": 0.4576619863510132, "beginner": 0.33309629559516907, "expert": 0.20924171805381775 }
19,726
Tell me a popular mongoose-redis library
29f6a9ed49a9afefeb8005d750f5dcc5
{ "intermediate": 0.844058632850647, "beginner": 0.07939455658197403, "expert": 0.07654682546854019 }
19,727
Write code that, using regular expressions in Python, will check the equation template “” for the presence of the following trigonometric functions in it: sine, cosine, tangent, cotangent.
011bf0be0ccaaa375a38823325391224
{ "intermediate": 0.47993534803390503, "beginner": 0.1428733766078949, "expert": 0.37719130516052246 }
19,728
please explain how this code works print(hogwarts_points.groupby('faculty_name')['points'].sum())
d525ca4ad534138e0afd0bff0509c451
{ "intermediate": 0.29344698786735535, "beginner": 0.5161330103874207, "expert": 0.19041992723941803 }
19,729
Hi I'm going to an interview of node.js, any advice?
5140877bb566b2b48c5710e34061648e
{ "intermediate": 0.3914796710014343, "beginner": 0.24633590877056122, "expert": 0.3621843755245209 }
19,730
please write me a VBA code for a powerpoint presentation about computer data formats: ASCII and Unicode data BCD(binary-coded decimal) data , i need 10 slides,
2d09fca79be681bd661cf78b571ab683
{ "intermediate": 0.4415621757507324, "beginner": 0.3344936966896057, "expert": 0.22394414246082306 }
19,731
Please provide sample code that describe how to access Amazon S3 access point by using Boto3, please include the authentication part
083fc22371d199eb522bf076569a9df4
{ "intermediate": 0.6743941903114319, "beginner": 0.09862381964921951, "expert": 0.226981982588768 }
19,732
# -*- coding: utf-8 -*- import os import xlwings as xw import sys import pymysql import xlwings as xw import pandas as pd import numpy as np import datetime from sqlalchemy import create_engine import fund_keystock #定义链接数据库函数 def connection_base(dbname: str)->pymysql.connect: _servername = '172.20.60.4' _user = 'zxdb_read' _pwd = 'Zxdb_read' _port = 3306 _conn = pymysql.connect(host=_servername, user=_user, password=_pwd, database=dbname, port=_port, charset='utf8') return _conn def stock_list(begindate,enddate,reportdate): _db = 'jydb' _conn = connection_base(_db) #取数据 try: #查除科创外A股市值 _sqlstr = "select InnerCode,TradingDay,TotalMV,NegotiableMV FROM lc_dindicesforvaluation where TradingDay ='%s' AND\ InnerCode in (select InnerCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 ) AND\ (SecuMarket=83 OR secumarket=90) AND (ListedSector=1 OR ListedSector=2 or ListedSector=6) and ListedState=1)" %(enddate, begindate) Latest_MV = pd.read_sql_query(_sqlstr, _conn) #查科创A股市值 _sqlstr= "select InnerCode,TradingDay,TotalMV,NegotiableMV FROM LC_STIBDIndiForValue where TradingDay ='%s' AND\ InnerCode in (select InnerCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 ) AND\ (SecuMarket=83 OR secumarket=90) AND ListedSector=7 and ListedState=1)"%(enddate, begindate) Latest_MV2= pd.read_sql_query(_sqlstr, _conn) #查除科创外A股净资产 _sqlstr = "select distinct CompanyCode,SEWithoutMI,IntangibleAssets,GoodWill,InfoPublDate FROM LC_BalanceSheetAll where Enddate ='%s' and\ IfMerged = 1 AND CompanyCode in (select CompanyCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 )\ AND (SecuMarket=83 OR secumarket=90) AND (ListedSector=1 OR ListedSector=2 or ListedSector=6) and ListedState=1)"%(reportdate,begindate) Latest_BV = pd.read_sql_query(_sqlstr, _conn) #查科创A股净资产 _sqlstr = "select distinct CompanyCode,SEWithoutMI,IntangibleAssets,GoodWill,InfoPublDate FROM LC_STIBBalanceSheet where Enddate ='%s' and\ IfMerged = 1 AND CompanyCode in (select CompanyCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 )\ AND (SecuMarket=83 OR secumarket=90) AND ListedSector=7 and ListedState=1)"%(reportdate,begindate) Latest_BV2 = pd.read_sql_query(_sqlstr, _conn) #查除科创外A股交易数据 _sqlstr ="select InnerCode,ChangePCTRM,TurnoverRateRM,TurnoverValuePDayRY,YearVolatilityByDay from QT_StockPerformance where TradingDay='%s' AND\ InnerCode in (select InnerCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 ) AND\ (SecuMarket=83 OR secumarket=90) AND (ListedSector=1 OR ListedSector=2 or ListedSector=6) and ListedState=1)"%(enddate,begindate) Latest_Factor=pd.read_sql_query(_sqlstr, _conn) #查科创A股交易数据 _sqlstr ="select InnerCode,ChangePCTRM,TurnoverRateRM,TurnoverValuePDayRY,YVolatility from LC_STIBPerformance where TradingDay='%s' AND\ InnerCode in (select InnerCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 ) AND\ (SecuMarket=83 OR secumarket=90) AND ListedSector=7 and ListedState=1)"%(enddate,begindate) Latest_Factor2=pd.read_sql_query(_sqlstr, _conn) #统一波动率对应列名 Latest_Factor2.rename(columns={'YVolatility':'YearVolatilityByDay'},inplace=True) #查聚源公司代码、内部代码、股票代码的字典 _sqlstr = "select InnerCode,CompanyCode,SecuCode from SecuMain where ListedDate < '%s' and\ (SecuCategory = 1 or SecuCategory = 41 ) AND (SecuMarket=83 OR secumarket=90) AND (ListedSector=1 OR ListedSector=2 or\ ListedSector=6 or ListedSector=7)and ListedState=1 ORDER BY Secucode"%(begindate) Dict=pd.read_sql_query(_sqlstr, _conn) finally: _conn.close() #拼接市值表 Latest_MV3=pd.concat([Latest_MV,Latest_MV2],ignore_index= True) #拼接净资产表 Latest_BV3=pd.concat([Latest_BV,Latest_BV2],ignore_index= True) #净资产表数据库中Null替换为零 Latest_BV3=Latest_BV3.replace(np.nan,0) #只保留将净资产表中财报更新的结果,去除前值 Latest_BV3=Latest_BV3.sort_values('InfoPublDate',ascending=False).drop_duplicates(subset=['CompanyCode'],keep='first') #拼接交易表 Latest_Factor3=pd.concat([Latest_Factor,Latest_Factor2],ignore_index= True) #构造调整后净资产 Latest_BV3['AdjustedBV']=Latest_BV3['SEWithoutMI']-Latest_BV3['IntangibleAssets']-Latest_BV3['GoodWill'] #将三张表利用关键字与字典相连 Latest_MV3=Latest_MV3.merge(Dict,on='InnerCode',how='left') Latest_BV3=Latest_BV3.merge(Dict,on='CompanyCode',how='left') Latest_Factor3=Latest_Factor3.merge(Dict,on='InnerCode',how='left') #将三张表利用统一的关键字SecuCode相连 Allstock=Latest_MV3.merge(Latest_BV3,on='SecuCode',how='left') Allstock=Allstock.merge(Latest_Factor3,on='SecuCode',how='left') #删除冗余列 Allstock.drop(Allstock.columns[[0,4,6,7,8,9,10,12,13,18]], axis=1, inplace=True) #删除调整净资产为负的行 Allstock.drop(Allstock[Allstock.AdjustedBV<0].index,inplace=True) #按照流通市值排序 Allstock=Allstock.sort_values('NegotiableMV') #剔除日均换手率排名后5%股票 q=Allstock.quantile(q=0.05, axis=0, numeric_only=True, interpolation='linear') Allstock.drop(Allstock[Allstock.TurnoverValuePDayRY<q[5]].index,inplace=True) #计算全市场流通市值 x=Allstock['NegotiableMV'].sum() #计算累计加总占比全市场4%的股票排名 summv=0 i=0 while summv < x*0.04: summv=summv+Allstock.iat[i,1] i = i+1 #截断排名以下的股票行 Allstock.drop(Allstock.tail(len(Allstock)-i).index,inplace=True) #构造调整后PB指标 Allstock['Prc2bk']=Allstock['TotalMV']/Allstock['AdjustedBV'] #方法一 剔除期间涨幅过大过小的股票 q1=Allstock.quantile(q=0.2, axis=0, numeric_only=True, interpolation='linear') q2=Allstock.quantile(q=0.8, axis=0, numeric_only=True, interpolation='linear') Allstock.drop(Allstock[Allstock.ChangePCTRM<q1[3]].index,inplace=True) Allstock.drop(Allstock[Allstock.ChangePCTRM>q2[3]].index,inplace=True) Allstock.drop(Allstock.columns[[1,2,4,5,7]], axis=1, inplace=True) #计算因子值 Allstock['RankTO']=Allstock['TurnoverRateRM'].rank(ascending=False,method='max') Allstock['RankVol']=Allstock['YearVolatilityByDay'].rank(ascending=False,method='max') Allstock['RankPB']=Allstock['Prc2bk'].rank(ascending=False,method='max') Allstock['Score']=Allstock['RankTO']+Allstock['RankVol']+Allstock['RankPB'] Allstock=Allstock.sort_values('Score',ascending=False) Allstock.drop(Allstock.tail(len(Allstock)-200).index,inplace=True) return Allstock[['TradingDay','SecuCode','TurnoverRateRM','YearVolatilityByDay','Prc2bk']] 这是我写的一个函数 现在我有一个excel文件,在sheet1的第一列到第三列,对应着stock_list()函数的三个参数,请帮我写一段代码 循环调用这个excel文件里每一行的三个参数,然后把return的结果Allstock写进本地的accdb数据库里
0f47c87a57449881e53ce3bf5de3979a
{ "intermediate": 0.32360902428627014, "beginner": 0.49521389603614807, "expert": 0.18117710947990417 }
19,733
Generate the program code to re-record the entire hard disk in C#
219799f6a2beeee8986f07332223847e
{ "intermediate": 0.3501318395137787, "beginner": 0.21265728771686554, "expert": 0.43721088767051697 }
19,734
SELECT eventdate, productsku, CASE WHEN productsku LIKE '9_______' THEN '3P' ELSE '1P' END AS Product_type, SUM(CASE WHEN eventaction = 'impression' THEN event_qty ELSE 0 END) AS impression, SUM(CASE WHEN eventaction = 'detail' THEN event_qty ELSE 0 END) AS detail, SUM(CASE WHEN eventaction = 'add' THEN event_qty ELSE 0 END) AS add FROM (SELECT eventdate, productsku, eventaction, COUNT(counteruseridhash) AS event_qty FROM dds.hits_pp_products WHERE counterid = 88873601 AND eventdate >= today()-1 --between today() - 8 AND today()-1 AND eventaction IN ('impression', 'detail', 'add') GROUP BY eventdate, productsku, eventaction) AS subquery GROUP BY eventdate, productsku, Product_type
1726ce398611ab4d322b543480d8620f
{ "intermediate": 0.34072309732437134, "beginner": 0.35218796133995056, "expert": 0.3070889413356781 }
19,735
torch select gpu if possible code
63dffd7772f99920a563d8660e101951
{ "intermediate": 0.2907649874687195, "beginner": 0.3779168725013733, "expert": 0.3313181698322296 }
19,736
how can I export data from vb.net with access database to excell
9f8a5dd9b68553596e26e5cde63e9c39
{ "intermediate": 0.47610825300216675, "beginner": 0.17687660455703735, "expert": 0.3470151722431183 }
19,737
1. Write and explain the structure of HTML Document. 2. Write steps to create HTML Document in Notepad, save it and also show the output in the browser. 3. Design a page with different types of Headings. 4. Design a page with atleast 15 lines of text and use various Text Formatting tags. 5. Display your name on the web page using Heading1 in five different Fonts and Colors. 6. Design your Resume/Portfolio page with your picture. 7. Display your Class Time Table using the Table Tag. 8. Design a Login Form using HTML only. 9. Design a Feedback/ Registration Form using various form elements. 10. Use Frames to display multiple pages in single browser window (Like, Resume, Table, Login, Registration Links on One side and Page in other frame). solve this assignment with questions written above and solutions written below respectively with detailed and lenghty answers
ee9f8e87118e67fb26ea39bc020e96de
{ "intermediate": 0.32483771443367004, "beginner": 0.4306788742542267, "expert": 0.24448342621326447 }
19,738
I want to go to the calender page from the below page and get back automatically
7cd86d182f5ec48843608a689c6ed61c
{ "intermediate": 0.33224350214004517, "beginner": 0.29572558403015137, "expert": 0.37203094363212585 }
19,739
montre moi le test unitaire de ectte fonction "function getRequestIdTwo() public view returns (uint8) { return games[gameId].requestIdTwo; }" "context ("FONCTIONS GETTER", () => { beforeEach(async function() { penduelInstance = await Penduel.new(subscriptionId); }); describe("vérifie la fonction getRequestIdTwo", () => { it("devrait valider l'identifiant de la requete", async () => {"
88344a4601e83dacba25946739fbdb68
{ "intermediate": 0.39981934428215027, "beginner": 0.4529445767402649, "expert": 0.14723607897758484 }
19,740
please create me a raci matrix for a backup software
012eda87a2a770eb1a5b7cc1e5a4e25f
{ "intermediate": 0.23178142309188843, "beginner": 0.16164501011371613, "expert": 0.6065735220909119 }
19,741
# -*- coding: utf-8 -*- import os import xlwings as xw import sys import pymysql import xlwings as xw import pandas as pd import numpy as np import datetime from sqlalchemy import create_engine import fund_keystock #定义链接数据库函数 def connection_base(dbname: str)->pymysql.connect: _servername = '172.20.60.4' _user = 'zxdb_read' _pwd = 'Zxdb_read' _port = 3306 _conn = pymysql.connect(host=_servername, user=_user, password=_pwd, database=dbname, port=_port, charset='utf8') return _conn def stock_list(begindate,enddate,reportdate): _db = 'jydb' _conn = connection_base(_db) #取数据 try: #查除科创外A股市值 _sqlstr = "select InnerCode,TradingDay,TotalMV,NegotiableMV FROM lc_dindicesforvaluation where TradingDay ='%s' AND\ InnerCode in (select InnerCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 ) AND\ (SecuMarket=83 OR secumarket=90) AND (ListedSector=1 OR ListedSector=2 or ListedSector=6) and ListedState=1)" %(enddate, begindate) Latest_MV = pd.read_sql_query(_sqlstr, _conn) #查科创A股市值 _sqlstr= "select InnerCode,TradingDay,TotalMV,NegotiableMV FROM LC_STIBDIndiForValue where TradingDay ='%s' AND\ InnerCode in (select InnerCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 ) AND\ (SecuMarket=83 OR secumarket=90) AND ListedSector=7 and ListedState=1)"%(enddate, begindate) Latest_MV2= pd.read_sql_query(_sqlstr, _conn) #查除科创外A股净资产 _sqlstr = "select distinct CompanyCode,SEWithoutMI,IntangibleAssets,GoodWill,InfoPublDate FROM LC_BalanceSheetAll where Enddate ='%s' and\ IfMerged = 1 AND CompanyCode in (select CompanyCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 )\ AND (SecuMarket=83 OR secumarket=90) AND (ListedSector=1 OR ListedSector=2 or ListedSector=6) and ListedState=1)"%(reportdate,begindate) Latest_BV = pd.read_sql_query(_sqlstr, _conn) #查科创A股净资产 _sqlstr = "select distinct CompanyCode,SEWithoutMI,IntangibleAssets,GoodWill,InfoPublDate FROM LC_STIBBalanceSheet where Enddate ='%s' and\ IfMerged = 1 AND CompanyCode in (select CompanyCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 )\ AND (SecuMarket=83 OR secumarket=90) AND ListedSector=7 and ListedState=1)"%(reportdate,begindate) Latest_BV2 = pd.read_sql_query(_sqlstr, _conn) #查除科创外A股交易数据 _sqlstr ="select InnerCode,ChangePCTRM,TurnoverRateRM,TurnoverValuePDayRY,YearVolatilityByDay from QT_StockPerformance where TradingDay='%s' AND\ InnerCode in (select InnerCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 ) AND\ (SecuMarket=83 OR secumarket=90) AND (ListedSector=1 OR ListedSector=2 or ListedSector=6) and ListedState=1)"%(enddate,begindate) Latest_Factor=pd.read_sql_query(_sqlstr, _conn) #查科创A股交易数据 _sqlstr ="select InnerCode,ChangePCTRM,TurnoverRateRM,TurnoverValuePDayRY,YVolatility from LC_STIBPerformance where TradingDay='%s' AND\ InnerCode in (select InnerCode from SecuMain where ListedDate < '%s' and (SecuCategory = 1 or SecuCategory = 41 ) AND\ (SecuMarket=83 OR secumarket=90) AND ListedSector=7 and ListedState=1)"%(enddate,begindate) Latest_Factor2=pd.read_sql_query(_sqlstr, _conn) #统一波动率对应列名 Latest_Factor2.rename(columns={'YVolatility':'YearVolatilityByDay'},inplace=True) #查聚源公司代码、内部代码、股票代码的字典 _sqlstr = "select InnerCode,CompanyCode,SecuCode from SecuMain where ListedDate < '%s' and\ (SecuCategory = 1 or SecuCategory = 41 ) AND (SecuMarket=83 OR secumarket=90) AND (ListedSector=1 OR ListedSector=2 or\ ListedSector=6 or ListedSector=7)and ListedState=1 ORDER BY Secucode"%(begindate) Dict=pd.read_sql_query(_sqlstr, _conn) finally: _conn.close() #拼接市值表 Latest_MV3=pd.concat([Latest_MV,Latest_MV2],ignore_index= True) #拼接净资产表 Latest_BV3=pd.concat([Latest_BV,Latest_BV2],ignore_index= True) #净资产表数据库中Null替换为零 Latest_BV3=Latest_BV3.replace(np.nan,0) #只保留将净资产表中财报更新的结果,去除前值 Latest_BV3=Latest_BV3.sort_values('InfoPublDate',ascending=False).drop_duplicates(subset=['CompanyCode'],keep='first') #拼接交易表 Latest_Factor3=pd.concat([Latest_Factor,Latest_Factor2],ignore_index= True) #构造调整后净资产 Latest_BV3['AdjustedBV']=Latest_BV3['SEWithoutMI']-Latest_BV3['IntangibleAssets']-Latest_BV3['GoodWill'] #将三张表利用关键字与字典相连 Latest_MV3=Latest_MV3.merge(Dict,on='InnerCode',how='left') Latest_BV3=Latest_BV3.merge(Dict,on='CompanyCode',how='left') Latest_Factor3=Latest_Factor3.merge(Dict,on='InnerCode',how='left') #将三张表利用统一的关键字SecuCode相连 Allstock=Latest_MV3.merge(Latest_BV3,on='SecuCode',how='left') Allstock=Allstock.merge(Latest_Factor3,on='SecuCode',how='left') #删除冗余列 Allstock.drop(Allstock.columns[[0,4,6,7,8,9,10,12,13,18]], axis=1, inplace=True) #删除调整净资产为负的行 Allstock.drop(Allstock[Allstock.AdjustedBV<0].index,inplace=True) #按照流通市值排序 Allstock=Allstock.sort_values('NegotiableMV') #剔除日均换手率排名后5%股票 q=Allstock.quantile(q=0.05, axis=0, numeric_only=True, interpolation='linear') Allstock.drop(Allstock[Allstock.TurnoverValuePDayRY<q[5]].index,inplace=True) #计算全市场流通市值 x=Allstock['NegotiableMV'].sum() #计算累计加总占比全市场4%的股票排名 summv=0 i=0 while summv < x*0.04: summv=summv+Allstock.iat[i,1] i = i+1 #截断排名以下的股票行 Allstock.drop(Allstock.tail(len(Allstock)-i).index,inplace=True) #构造调整后PB指标 Allstock['Prc2bk']=Allstock['TotalMV']/Allstock['AdjustedBV'] #方法一 剔除期间涨幅过大过小的股票 q1=Allstock.quantile(q=0.2, axis=0, numeric_only=True, interpolation='linear') q2=Allstock.quantile(q=0.8, axis=0, numeric_only=True, interpolation='linear') Allstock.drop(Allstock[Allstock.ChangePCTRM<q1[3]].index,inplace=True) Allstock.drop(Allstock[Allstock.ChangePCTRM>q2[3]].index,inplace=True) Allstock.drop(Allstock.columns[[1,2,4,5,7]], axis=1, inplace=True) #计算因子值 Allstock['RankTO']=Allstock['TurnoverRateRM'].rank(ascending=False,method='max') Allstock['RankVol']=Allstock['YearVolatilityByDay'].rank(ascending=False,method='max') Allstock['RankPB']=Allstock['Prc2bk'].rank(ascending=False,method='max') Allstock['Score']=Allstock['RankTO']+Allstock['RankVol']+Allstock['RankPB'] Allstock=Allstock.sort_values('Score',ascending=False) Allstock.drop(Allstock.tail(len(Allstock)-200).index,inplace=True) return Allstock[['TradingDay','SecuCode','TurnoverRateRM','YearVolatilityByDay','Prc2bk']] 我写了一个函数 stock_list(begindate, enddate, reportdate) 用以返回一个padas dataframe. 然后我下了一段代码 想让他跑一个参数序列并把结果放到数据库里 请帮我看下 我的代码错误在哪里import pandas as pd import openpyxl import pyodbc # 打开excel文件 excel_file=r"C:\Users\LIQI\Documents\投资研究\微盘月度换手参数.xlsx" workbook = openpyxl.load_workbook(excel_file) #读取工作表 sheet2 = workbook['Sheet2'] log=pd.read_excel(excel_file,sheet_name='Sheet2') # 连接到Access数据库 access_db_file = r"C:\Users\LIQI\Documents\microcapstrategy.accdb" conn_str = ( r'DRIVER={Microsoft Access Driver (*.mdb, *.accdb)};' f'DBQ={access_db_file};' ) conn = pyodbc.connect(conn_str) try: cursor = conn.cursor() for index,row in log.iterrows(): begindate = row[0] enddate = row[1] reportdate = row[2] result = stock_list(begindate, enddate, reportdate) # 将结果写入数据库 for index, row_data in result.iterrows(): trading_day = row_data['TradingDay'] secu_code = row_data['SecuCode'] turnover_rate = row_data['TurnoverRateRM'] volatility = row_data['YearVolatilityByDay'] prc2bk = row_data['Prc2bk'] query=("INSERT INTO portfolio (TradingDay, SecuCode, TurnoverRateRM, YearVolatilityByDay, Prc2bk)"" VALUES (?, ?, ?, ?, ?)") values=(trading_day, secu_code, turnover_rate, volatility, prc2bk) cursor.execute(query,values) # 提交更改并关闭连接 conn.commit() except Exception as e: print("发生错误:", e) conn.rollback() finally: conn.close()
eab06d524bd758227f061a4ac9662400
{ "intermediate": 0.32360902428627014, "beginner": 0.49521389603614807, "expert": 0.18117710947990417 }
19,742
conda create new env called TRE
9d9bb55051898f1266f77a6ef2123f99
{ "intermediate": 0.2672191858291626, "beginner": 0.2035779505968094, "expert": 0.5292028188705444 }
19,743
create a Java program that simulates a simple quiz game. The program should prompt the user with a series of questions and allow them to enter their answers. After the user has answered all the questions, the program should compute and display the final score based on the number of correct answers.
eb1d75baa535d25db7dd14baf7f76b50
{ "intermediate": 0.24125665426254272, "beginner": 0.42565053701400757, "expert": 0.3330928087234497 }
19,744
can you create an LTL property for me?
22b88eab632870e758d84659316e9703
{ "intermediate": 0.3279629051685333, "beginner": 0.16478857398033142, "expert": 0.5072485208511353 }
19,745
hey do a pulse like horizontal gradient animation effect from left to right within: width: 100%; height: 32px;
79c07ae65cacc0c1df1cb1d62564bc00
{ "intermediate": 0.36132243275642395, "beginner": 0.23377826809883118, "expert": 0.40489932894706726 }
19,746
how do you declare an array of numbers from 1 to 5 in java
6c7ef62c016e6105eade54799efb16d7
{ "intermediate": 0.5778926610946655, "beginner": 0.26779741048812866, "expert": 0.1543099284172058 }
19,747
just not sure how to do a proper pulsing animation. like: there’s some line through which a dot or something goes from left to right periodically, and at some specific or random length this point increases its height in kinda triangle waveform in both up and down within element height in 32px and width 100%. do you understand now?. this point should increase or expand for a second its height and then decrease back to normal. also, need a tight line on full width through which this point is moving at the center. also, there’s no actual triangle waveform visible in lines, when this point pulsing to the height. that’s why I told you that this is impossible to do solely by css.: (((
334aefe9ac75072081ada2f06064ef94
{ "intermediate": 0.45776280760765076, "beginner": 0.31066685914993286, "expert": 0.23157033324241638 }
19,748
I want you to write a VBA code for a powerpoint presentation of 20 slides on conflict resolution. You are to fill in all the text with your own knowledge. No placeholders. Add a quizz to every chapter
8caf19d570f71a3402276a9c657b1e86
{ "intermediate": 0.22421355545520782, "beginner": 0.5556635856628418, "expert": 0.22012287378311157 }
19,749
i want to learna boutservice oriented arc. that has entity repository service controller. please explain the structure deeply give exAMples as if i know very little. also connectr those kavramlar to general http api web application
6a2b5214da0617437fa76806b7e66fc6
{ "intermediate": 0.5401381850242615, "beginner": 0.32465502619743347, "expert": 0.1352066993713379 }
19,750
You have a Dockerfile with the following content: FROM debian:bullseye-slim ARG NGINX_VERSION=1.22.1 ARG OPENSSL_VERSION=OpenSSL_1_1_1d ARG OPENSSL_SHA256=a366e3b6d8269b5e563dabcdfe7366d15cb369517f05bfa66f6864c2a60e39e8 ARG GOST_ENGINE_VERSION=58a46b289d6b8df06072fc9c0304f4b2d3f4b051 ARG GOST_ENGINE_SHA256=6b47e24ee1ce619557c039fc0c1201500963f8f8dea83cad6d05d05b3dcc2255 ENV OPENSSL_DIR="/usr/local/src/openssl-${OPENSSL_VERSION}/.openssl" ENV OPENSSL_CONF=/etc/ssl/openssl.cnf RUN apt-get update \ && apt-get install wget build-essential libpcre++-dev libz-dev ca-certificates unzip cmake --no-install-recommends -y \ && mkdir -p /usr/local/src \ && cd /usr/local/src \ && wget "http://nginx.org/download/nginx-${NGINX_VERSION}.tar.gz" -O "nginx-${NGINX_VERSION}.tar.gz" \ && tar -zxvf "nginx-${NGINX_VERSION}.tar.gz" \ && wget "https://github.com/openssl/openssl/archive/${OPENSSL_VERSION}.zip" -O "${OPENSSL_VERSION}.zip" \ && echo "$OPENSSL_SHA256" "${OPENSSL_VERSION}.zip" | sha256sum -c - \ && unzip "${OPENSSL_VERSION}.zip" -d ./ \ && cd "nginx-${NGINX_VERSION}" \ && sed -i 's|--prefix=$ngx_prefix no-shared|--prefix=$ngx_prefix|' auto/lib/openssl/make \ && ./configure \ --prefix=/etc/nginx \ --sbin-path=/usr/sbin/nginx \ --modules-path=/usr/lib/nginx/modules \ --conf-path=/etc/nginx/nginx.conf \ --error-log-path=/var/log/nginx/error.log \ --http-log-path=/var/log/nginx/access.log \ --pid-path=/var/run/nginx.pid \ --lock-path=/var/run/nginx.lock \ --http-client-body-temp-path=/var/cache/nginx/client_temp \ --http-proxy-temp-path=/var/cache/nginx/proxy_temp \ --http-fastcgi-temp-path=/var/cache/nginx/fastcgi_temp \ --http-uwsgi-temp-path=/var/cache/nginx/uwsgi_temp \ --http-scgi-temp-path=/var/cache/nginx/scgi_temp \ --user=www-data \ --group=www-data \ --with-compat \ --with-file-aio \ --with-threads \ --with-http_addition_module \ --with-http_auth_request_module \ --with-http_dav_module \ --with-http_flv_module \ --with-http_gunzip_module \ --with-http_gzip_static_module \ --with-http_mp4_module \ --with-http_random_index_module \ --with-http_realip_module \ --with-http_secure_link_module \ --with-http_slice_module \ --with-http_ssl_module \ --with-http_stub_status_module \ --with-http_sub_module \ --with-http_v2_module \ --with-mail \ --with-mail_ssl_module \ --with-stream \ --with-stream_realip_module \ --with-stream_ssl_module \ --with-stream_ssl_preread_module \ --with-openssl="/usr/local/src/openssl-${OPENSSL_VERSION}" \ && make \ && make install \ && echo "/usr/local/src/openssl-${OPENSSL_VERSION}/.openssl/lib" >>/etc/ld.so.conf.d/ssl.conf && ldconfig \ && cp "/usr/local/src/openssl-${OPENSSL_VERSION}/.openssl/bin/openssl" /usr/bin/openssl \ && mkdir -p /var/cache/nginx/ RUN cd /usr/local/src \ && wget "https://github.com/gost-engine/engine/archive/${GOST_ENGINE_VERSION}.zip" -O gost-engine.zip \ && echo "$GOST_ENGINE_SHA256" gost-engine.zip | sha256sum -c - \ && unzip gost-engine.zip -d ./ \ && cd "engine-${GOST_ENGINE_VERSION}" \ && sed -i 's|printf("GOST engine already loaded\\n");|goto end;|' gost_eng.c \ && mkdir build \ && cd build \ && cmake -DCMAKE_BUILD_TYPE=Release \ -DOPENSSL_ROOT_DIR="${OPENSSL_DIR}" \ -DOPENSSL_INCLUDE_DIR="${OPENSSL_DIR}/include" \ -DOPENSSL_LIBRARIES="${OPENSSL_DIR}/lib" .. \ -DOPENSSL_ENGINES_DIR="${OPENSSL_DIR}/lib/engines-1.1" \ && cmake --build . --config Release \ && cmake --build . --target install --config Release \ && cp ./bin/gost.so "${OPENSSL_DIR}/lib/engines-1.1" \ && cp -r "${OPENSSL_DIR}/lib/engines-1.1" /usr/lib/x86_64-linux-gnu/ \ && rm -rf "/usr/local/src/gost-engine.zip" "/usr/local/src/engine-${GOST_ENGINE_VERSION}" RUN sed -i 's/openssl_conf = default_conf/openssl_conf = openssl_def/' "${OPENSSL_CONF}" \ && echo "" >> "${OPENSSL_CONF}" \ && echo "# OpenSSL default section" >> "${OPENSSL_CONF}" \ && echo "[openssl_def]" >> "${OPENSSL_CONF}" \ && echo "engines = engine_section" >> "${OPENSSL_CONF}" \ && echo "" >> "${OPENSSL_CONF}" \ && echo "# Engine scetion" >> "${OPENSSL_CONF}" \ && echo "[engine_section]" >> "${OPENSSL_CONF}" \ && echo "gost = gost_section" >> "${OPENSSL_CONF}" \ && echo "" >> "${OPENSSL_CONF}" \ && echo "# Engine gost section" >> "${OPENSSL_CONF}" \ && echo "[gost_section]" >> "${OPENSSL_CONF}" \ && echo "engine_id = gost" >> "${OPENSSL_CONF}" \ && echo "dynamic_path = ${OPENSSL_DIR}/lib/engines-1.1/gost.so" >> "${OPENSSL_CONF}f" \ && echo "default_algorithms = ALL" >> "${OPENSSL_CONF}" \ && echo "CRYPT_PARAMS = id-Gost28147-89-CryptoPro-A-ParamSet" >> "${OPENSSL_CONF}" RUN ln -sf /dev/stdout /var/log/nginx/access.log \ && ln -sf /dev/stderr /var/log/nginx/error.log EXPOSE 80 STOPSIGNAL SIGTERM CMD ["nginx", "-g", "daemon off;"] Optimize this Dockerfile with multi-stage build and show your solution
d25b8d1b9073b94919ad5a7d302c4511
{ "intermediate": 0.3650140166282654, "beginner": 0.39565369486808777, "expert": 0.23933234810829163 }
19,751
Is it possible to run the code below and also copy the value only form B1 to A2 in sheet 'Job Request' If Target.Address = "$B$3" Then Sheets("Job Request").Activate End If
475694263cb9d48219d3bf19f3cf3690
{ "intermediate": 0.35698553919792175, "beginner": 0.3541146218776703, "expert": 0.28889980912208557 }
19,752
This was ourt convo: - i still dont understand what url we trigger? are we talking about /product? and then product post method triggers the controller? Apologies for any confusion. Let me clarify the URL endpoint and its relation to the controller. - In a typical web application, the URL endpoint represents a specific route or address that is associated with a particular functionality or resource of the application. This endpoint is typically defined in the web application’s routing configuration. For example, let’s consider an e-commerce application where products are managed. In this case, the URL endpoint for adding a new product could be something like /products using the RESTful convention for resource management. When a seller wants to add a new product for sale, they would interact with the web page that includes a form for adding a product. This form would likely have an HTML &lt;form&gt; element with its action attribute set to the URL endpoint of adding a product, which in this case could be /products. When the seller submits the form by clicking the submit button, it triggers an HTTP POST request to the corresponding URL endpoint (/products). The web application’s routing configuration maps this URL endpoint (/products) to a specific controller method that will handle the request associated with adding a new product. Let’s assume this controller method is named createProduct within the ProductController. --------------- Please answer this question: The createProduct method in the ProductController would receive the HTTP POST request triggered by the form submission and would be responsible for extracting the relevant data from the request. This could be done by accessing form parameters or parsing the JSON payload, depending on the but where URL endpoint (/products) is defined? you say /product trişgger productcontroller but then what the entity “product” do?
56fcdb4543225fec5917b890368ef07f
{ "intermediate": 0.5100788474082947, "beginner": 0.29078415036201477, "expert": 0.19913700222969055 }
19,753
What are primitive data types and reference data types in java
06187200ebd02fce0d77ab51002929ea
{ "intermediate": 0.42128801345825195, "beginner": 0.27567872405052185, "expert": 0.3030332326889038 }
19,754
can you tell me the asp net core mvc equivalent of spring boot soa architecture? compare them
def039021f4f1f2bb17087b00d745e35
{ "intermediate": 0.4756622314453125, "beginner": 0.14630961418151855, "expert": 0.3780282139778137 }
19,755
how do i force install a package
68efd10f076f09133b55dbbd77a520cc
{ "intermediate": 0.5603607296943665, "beginner": 0.19420784711837769, "expert": 0.24543142318725586 }
19,756
Arranging variables in e commerce erpnext
66c79803face73f5872c8179ab914523
{ "intermediate": 0.2333926558494568, "beginner": 0.5725711584091187, "expert": 0.19403626024723053 }
19,757
i am working in a docker container. this is my docker file: # Use the official NVIDIA CUDA base image with Ubuntu 20.04 FROM nvidia/cuda:12.2.0-base-ubuntu20.04 # Install necessary dependencies RUN apt-get update && \ apt-get install -y \ python3 \ python3-pip \ python3-dev \ libsm6 \ libxext6 \ libxrender-dev \ && rm -rf /var/lib/apt/lists/* # Install Jupyter Notebook RUN pip3 install jupyter # Create a working directory WORKDIR /app # Expose Jupyter Notebook port EXPOSE 8888 EXPOSE 3307 # Run Jupyter Notebook CMD ["jupyter", "notebook", "--ip=0.0.0.0", "--port=8888" "--port=3307", "--allow-root"] i am needing to connect to a db docker file through ports 3307. in my code in the dockerfile container # Configuration mydbconfig = { "host": "localhost", "database": "i2ms-debug", "user": "root", "password": "1234", "use_pure": True, "port": 3307, } # Retrieve Text for the open inquiry query_open_inq = ( "SELECT inquiry_id, clean_text FROM inquiry_analytics_vw WHERE inquiry_id = %s;" ) try: with connection.connect(**mydbconfig) as mydb: mycursor = mydb.cursor() mycursor.execute(query_open_inq, (open_inquiry_id,)) query_open_inq = mycursor.fetchone() if query_open_inq is None: print( { "error": { "message": "The inquiry is not eligible for inquiry recommendations.", "code": 400, } } ) else: # Retrieve refrenced unlinked closed inquiries query_unlinked_closed_inq = "SELECT inquiry_id, clean_text FROM `i2ms-debug`.inquiry_analytics_vw i WHERE i.status = 'CLS' AND i.type = 'TINQ' AND i.received_date > '2010-01-01 00:00:00' ORDER BY inquiry_id DESC;" # "SELECT inquiry_id, clean_text FROM `i2ms-debug`.inquiry_analytics_vw i WHERE i.status = 'CLS' AND i.type = 'TINQ' AND i.received_date > '2010-01-01 00:00:00' AND inquiry_id NOT IN (SELECT distinct inquiry_id FROM `i2ms-debug`.inquiry_reference_closed_tbl) ORDER BY inquiry_id DESC;" mycursor.execute(query_unlinked_closed_inq) query_unlinked_closed_inq = mycursor.fetchall() query_unlinked_closed_inq = pd.DataFrame( query_unlinked_closed_inq, columns=["inquiry_id", "clean_text"] ) except connection.Error as err: print( { "error": { "message": "An error occurred while processing the inquiry.", "details": str(err), "code": 500, } } ) except Exception as e: print( { "error": { "message": "An unexpected error occurred.", "details": str(e), "code": 500, } } ) i get {'error': {'message': 'An error occurred while processing the inquiry.', 'details': "2003: Can't connect to MySQL server on 'localhost:3307' (111 Connection refused)", 'code': 500}}. how do i access the db container from my new container
ac1f8c44b8391f308601db4e534452d3
{ "intermediate": 0.38275691866874695, "beginner": 0.4920271635055542, "expert": 0.12521585822105408 }
19,758
i have a dockerfile. i need port 3307 passed as localhost into the container
1cab9b4e167cc5322031a459a92af1aa
{ "intermediate": 0.4034844934940338, "beginner": 0.23047131299972534, "expert": 0.36604419350624084 }
19,759
what output can I expect if I git clone "https://github.com/Yandex-Practicum/android-contacts.git"?
f84fcef1f511f95f2fdc172ca985e46e
{ "intermediate": 0.478403240442276, "beginner": 0.21170298755168915, "expert": 0.30989372730255127 }
19,760
i am building a program in PRISM that models digital twin security, here i want to find the minimum time it takes for an attacker to execute a security attack, can u please tell me how to build an LTL property for it?
beb7748678da48e1fdc4ebc49a9d9680
{ "intermediate": 0.20971524715423584, "beginner": 0.10559045523405075, "expert": 0.6846942901611328 }
19,761
I need contrast enhancement alogorithm in c.
8c2dc88a1edc585f56fdfe5484aec5ff
{ "intermediate": 0.19334161281585693, "beginner": 0.17838428914546967, "expert": 0.6282740831375122 }
19,762
from transformers import ChatGPT # Load the pre-trained model model = ChatGPT.from_pretrained(‘yuntian-deng/ChatGPT’) # Set up the conversation conversation = [ {‘role’: ‘system’, ‘content’: ‘You are a helpful assistant.’}, {‘role’: ‘user’, ‘content’: ‘Who won the world series in 2020?’}, {‘role’: ‘assistant’, ‘content’: ‘The Los Angeles Dodgers won the World Series in 2020.’}, {‘role’: ‘user’, ‘content’: ‘Where was it played?’} ] # Generate a response response = model.chat(conversation) # Access the assistant’s reply reply = response.choices[0].message[‘content’] print(reply) this code will break (speech) fauxprophet@nuke:~/Documents/Ops/AI/GPT4Huggin$ python3 test.py File "/home/fauxprophet/Documents/Ops/AI/GPT4Huggin/test.py", line 4 model = ChatGPT.from_pretrained(‘yuntian-deng/ChatGPT’) ^ SyntaxError: invalid character '‘' (U+2018)
9b25c6679034ec5815aff8f5f0232d86
{ "intermediate": 0.26702797412872314, "beginner": 0.5812313556671143, "expert": 0.15174071490764618 }
19,763
I need c code using stb_image to decode a jpg
c67729e419878fdc7ce162ba1e011294
{ "intermediate": 0.3838694393634796, "beginner": 0.2807044982910156, "expert": 0.3354260325431824 }
19,764
how do i install mysql with yum on linux
e359c1e436bc2c9ffcd98a59259dcff0
{ "intermediate": 0.4517008364200592, "beginner": 0.33666959404945374, "expert": 0.21162956953048706 }
19,765
How does a static block in the field part of a class in Java work?
293b44ce8e303ec50fe1857575c801aa
{ "intermediate": 0.4129177927970886, "beginner": 0.4049740731716156, "expert": 0.1821080893278122 }
19,766
i need gaussian blur code in c
b19eac53fa56183b6e3c082bf7d5f8e0
{ "intermediate": 0.2529599666595459, "beginner": 0.21306166052818298, "expert": 0.5339783430099487 }
19,767
In Hibernate, what does the following do?: @GeneratedValue(strategy = GenerationType.IDENTITY) Does this apply to both MySQL and SQLite (perhaps in addition to some other databases)?
0f7d90e21abf7440ca3ef8d9a2650639
{ "intermediate": 0.8263320326805115, "beginner": 0.09135337918996811, "expert": 0.0823146402835846 }
19,768
came you give psuedo code for guasian blur on a single channel image with a 5x5 kernel
0b0f84a5cec4fc5b430e7532a2c1f1a7
{ "intermediate": 0.2060476541519165, "beginner": 0.15260827541351318, "expert": 0.6413440108299255 }
19,769
Error response from daemon: exec: "nvidia-container-runtime-hook": executable file not found in $PATH
831b147e2466ec0303e624b8fbdb05b9
{ "intermediate": 0.4175735116004944, "beginner": 0.2657999098300934, "expert": 0.31662651896476746 }
19,770
I need a to gaussian blur an image in c
7c14dba5a5abfc572b578ebd1a5b510a
{ "intermediate": 0.24924251437187195, "beginner": 0.23784735798835754, "expert": 0.5129101276397705 }
19,771
I need c source code to gaussion blur and image. The image has values from 0 to 1.0.
6d9b1b907a138503880a3ac18d4d4080
{ "intermediate": 0.3293048143386841, "beginner": 0.2910305857658386, "expert": 0.37966465950012207 }
19,772
Construct a row array named observedValues with elements sensorReading1, sensorReading2, and sensorReading3.
b54562b6265c20e5585fb02be6f6901e
{ "intermediate": 0.41672420501708984, "beginner": 0.19278454780578613, "expert": 0.39049121737480164 }
19,773
docker run -d --network midterm-net -p 7001:80 --name container-a DB_HOST=midterm-mariadb -e DB_NAME=data_a -e DB_USER=user -e DB_PASS=passwd DB_PORT=3306 registry.eng.rmuti.ac.th/selectedtopic/midterm docker: invalid reference format: repository name must be lowercase. See 'docker run --help'. how to fix
980a9a29c7a2cf446feef0574537b1a8
{ "intermediate": 0.32617610692977905, "beginner": 0.30171722173690796, "expert": 0.3721067011356354 }
19,774
Write a program to calculate sun of digits of a number in C programming
7c78b685560653d30312651f8b8db904
{ "intermediate": 0.3739786148071289, "beginner": 0.24718959629535675, "expert": 0.37883180379867554 }
19,775
Is there a command that says how much RAM a specific process or application uses?
7d8d4bde8e7e9561a14be51141050c84
{ "intermediate": 0.3668243885040283, "beginner": 0.22895580530166626, "expert": 0.40421977639198303 }
19,776
What's the package manager in Debian that compiles apps?
106105f00f295963dfa2c151a4179036
{ "intermediate": 0.4834429919719696, "beginner": 0.2825908958911896, "expert": 0.23396612703800201 }
19,777
unity my 2d ball object cant move up the slope when i use addforce to move it, what do i do
183fafbdf8d2cc3724c55c265288a52d
{ "intermediate": 0.5412116050720215, "beginner": 0.17801852524280548, "expert": 0.28076985478401184 }
19,778
What's the difference between try that has something in its parentheses versus one that doesn't (in Java)?
6f41d3aada54c68ff39dd012e0530777
{ "intermediate": 0.399117648601532, "beginner": 0.31176653504371643, "expert": 0.2891157865524292 }
19,779
Привет. Переделай эту программу, чтобы она рисовала не красные квадраты, а изображение "notf.png" в левом верхнем углу. import sys from PyQt5.QtWidgets import QApplication, QMainWindow from PyQt5.QtGui import QPainter, QBrush, QColor, QPen from PyQt5.QtCore import Qt, QTimer, QRect import random class DrawingWindow(QMainWindow): def __init__(self, coordinates): super().__init__() self.setWindowTitle("Transparent Drawing Window") self.setGeometry(0, 0, QApplication.desktop().screenGeometry().width(), QApplication.desktop().screenGeometry().height()) self.setAttribute(Qt.WA_TranslucentBackground, True) self.setWindowFlags(Qt.FramelessWindowHint | Qt.WindowStaysOnTopHint) self.painter = QPainter() self.painter.setRenderHint(QPainter.Antialiasing) self.pen_color = QColor(255, 0, 0) # Set the initial pen color to red self.pen_width = 4 # Set the initial pen width to 4 self.coordinates = coordinates # Store the coordinates for drawing rectangles self.draw_timer = QTimer() self.draw_timer.start(10) # Update the window every 10 milliseconds def paintEvent(self, event): self.painter.begin(self) self.painter.setPen(Qt.NoPen) self.painter.setBrush(QBrush(Qt.transparent)) self.painter.drawRect(QRect(0, 0, self.width(), self.height())) # Draw a transparent background self.painter.setPen(QPen(QColor(self.pen_color), self.pen_width)) self.painter.setBrush(QBrush(Qt.transparent)) for coord in self.coordinates: x, y, width, height = coord self.painter.drawRect(x, y, width, height) # Draw rectangles using the provided coordinates self.painter.end() self.update_coord() # Update the coordinates QTimer.singleShot(1000, self.update) # Schedule a repaint after 1 second def update_coord(self, coords=0): if coords != 0: pass else: self.coordinates = [ (random.randrange(0, 500), random.randrange(0, 500), random.randrange(0, 500), random.randrange(0, 500))] if __name__ == "__main__": coordinates = [(524, 474, 818-524, 689-474), (524, 367, 818-524, 473-367)] app = QApplication(sys.argv) window = DrawingWindow(coordinates) # Create an instance of the DrawingWindow class with the given coordinates window.show() # Display the window sys.exit(app.exec_()) # Start the application event loop and exit when it's finished
a34e0f84e4f4924dc14af9ed22f61038
{ "intermediate": 0.3766673505306244, "beginner": 0.4651607275009155, "expert": 0.15817192196846008 }
19,780
Привет. Добавь к окну текст в правом верхнем углу и две кнопки ниже, одна закрывает окно, а другая вызывает функцию open() и закрывает окно. from PyQt5.QtWidgets import QLabel, QPushButton, QVBoxLayout, QApplication, QWidget from PyQt5.QtGui import QPainter, QColor, QImage from PyQt5.QtCore import Qt class CustomWidget(QWidget): def __init__(self): super().__init__() layout = QVBoxLayout() self.setWindowTitle("Transparent Drawing Window") self.setGeometry(0, 0, QApplication.desktop().screenGeometry().width(), QApplication.desktop().screenGeometry().height()) self.setAttribute(Qt.WA_TranslucentBackground, True) #self.setAttribute(Qt.WA_TransparentForMouseEvents, True) self.setWindowFlags(Qt.FramelessWindowHint | Qt.WindowStaysOnTopHint) def paintEvent(self, event): painter = QPainter(self) image = QImage("notf.png") painter.drawImage(5, 5, image) app = QApplication([]) widget = CustomWidget() widget.show() app.exec_()
5361f6c8fe255cff114f50f728b11bfa
{ "intermediate": 0.4678860008716583, "beginner": 0.33000457286834717, "expert": 0.20210938155651093 }
19,781
5帮我写个python代码。我有一个accdb数据库,里面有5列,其中一列是tradingdate 一列是stock ticker,另三列是给定日期与股票的因子A、B、C。现在我想用Python读取这个数据库,然后遍历每一个不同的tradingdate,给出每一个tradingdate里所有stock ticker对应的因子值的一些统计,比如因子A的平均值、中位数10%分位数、25%分位数、75%分位数、90%分位数,诸如此类,然后针对每一个因子,画一张横坐标为日期,纵坐标为不同分位数的时间序列折线图。
a8eb524db8b7823b356d989a55964e9f
{ "intermediate": 0.37376853823661804, "beginner": 0.3234739601612091, "expert": 0.30275750160217285 }
19,782
multi-objective properties for PRISM software example?
31ec849d666996b5173b2e3eadb74713
{ "intermediate": 0.38546425104141235, "beginner": 0.12331506609916687, "expert": 0.4912206828594208 }
19,783
import pandas as pd import matplotlib.pyplot as plt import pyodbc import xlwings as xw # Setup connection to the database conn_str = r"DRIVER={Microsoft Access Driver (*.mdb, *.accdb)};DBQ=C:\Users\LIQI\Documents\microcapstrategy.accdb" try: conn = pyodbc.connect(conn_str) # 执行查询 query = "SELECT TradingDay, SecuCode, TurnoverRateRM, YearVolatilityByDay, Prc2bk FROM Portfolio" df = pd.read_sql(query, conn) # 关闭连接 conn.close() # 统计不同tradingdate对应的每个stock ticker的因子值 statistics = df.groupby('TradingDay').agg({'TurnoverRateRM': ['mean', 'median', lambda x: x.quantile(0.1), lambda x: x.quantile(0.25), \ lambda x: x.quantile(0.75), lambda x: x.quantile(0.9)],'YearVolatilityByDay': ['mean', 'median', lambda x: x.quantile(0.1),\ lambda x: x.quantile(0.25), lambda x: x.quantile(0.75), lambda x: x.quantile(0.9)],'Prc2bk': ['mean', 'median',\ lambda x: x.quantile(0.1), lambda x: x.quantile(0.25), lambda x: x.quantile(0.75),lambda x: x.quantile(0.9)]}) # 绘制时间序列折线图 dates = statistics.index.tolist() plt.figure(figsize=(12, 6)) # 绘制因子A的时间序列折线图 plt.subplot(3, 1, 1) plt.plot(dates, statistics[('TurnoverRateRM', 'mean')], label='Mean') plt.plot(dates, statistics[('TurnoverRateRM', 'median')], label='Median') plt.plot(dates, statistics[('TurnoverRateRM', ''<lambda_0>'')], label='10% Quantile') plt.plot(dates, statistics[('TurnoverRateRM', ''<lambda_1>'')], label='25% Quantile') plt.plot(dates, statistics[('TurnoverRateRM', ''<lambda_2>'')], label='75% Quantile') plt.plot(dates, statistics[('TurnoverRateRM', ''<lambda_3>'')], label='90% Quantile') plt.ylabel('近月换手率') plt.legend() # 绘制因子B的时间序列折线图 plt.subplot(3, 1, 2) plt.plot(dates, statistics[('YearVolatilityByDay', 'mean')], label='Mean') plt.plot(dates, statistics[('YearVolatilityByDay', 'median')], label='Median') plt.plot(dates, statistics[('YearVolatilityByDay', ''<lambda_0>'')], label='10% Quantile') plt.plot(dates, statistics[('YearVolatilityByDay', ''<lambda_1>'')], label='25% Quantile') plt.plot(dates, statistics[('YearVolatilityByDay', ''<lambda_2>'')], label='75% Quantile') plt.plot(dates, statistics[('YearVolatilityByDay', ''<lambda_3>'')], label='90% Quantile') plt.ylabel('年化波动率') plt.legend() # 绘制因子C的时间序列折线图 plt.subplot(3, 1, 3) plt.plot(dates, statistics[('Prc2bk', 'mean')], label='Mean') plt.plot(dates, statistics[('Prc2bk', 'median')], label='Median') plt.plot(dates, statistics[('Prc2bk', ''<lambda_0>'')], label='10% Quantile') plt.plot(dates, statistics[('Prc2bk', ''<lambda_1>'')], label='25% Quantile') plt.plot(dates, statistics[('Prc2bk', ''<lambda_2>'')], label='75% Quantile') plt.plot(dates, statistics[('Prc2bk', ''<lambda_3>'')], label='90% Quantile') plt.ylabel('改良市净率') plt.legend() plt.xlabel('建仓日') plt.tight_layout() plt.show() 运行以后返回 File "C:\Users\LIQI\AppData\Local\Temp/ipykernel_13004/3428647285.py", line 63 plt.show() ^ SyntaxError: unexpected EOF while parsing 请问问题在哪里
2848faa406f0b4b0767e09b187b9686d
{ "intermediate": 0.3368411362171173, "beginner": 0.4986553192138672, "expert": 0.1645035445690155 }
19,784
import pandas as pd import matplotlib.pyplot as plt import pyodbc # Setup connection to the database conn_str = r"DRIVER={Microsoft Access Driver (*.mdb, *.accdb)};DBQ=C:\Users\LIQI\Documents\microcapstrategy.accdb" try: conn = pyodbc.connect(conn_str) # 执行查询 query = "SELECT TradingDay, SecuCode, TurnoverRateRM, YearVolatilityByDay, Prc2bk FROM Portfolio" df = pd.read_sql(query, conn) # 关闭连接 finally: conn.close() # 将相关列转换为float类型 df['TurnoverRateRM'] = df['TurnoverRateRM'].astype(float) df['YearVolatilityByDay'] = df['YearVolatilityByDay'].astype(float) df['Prc2bk'] = df['Prc2bk'].astype(float) # 统计不同tradingdate对应的每个stock ticker的因子值 statistics = df.groupby('TradingDay').agg({'TurnoverRateRM': ['mean', 'median', lambda x: x.quantile(0.1), lambda x: x.quantile(0.25), \ lambda x: x.quantile(0.75), lambda x: x.quantile(0.9)],'YearVolatilityByDay': ['mean', 'median', lambda x: x.quantile(0.1),\ lambda x: x.quantile(0.25), lambda x: x.quantile(0.75), lambda x: x.quantile(0.9)],'Prc2bk': ['mean', 'median',\ lambda x: x.quantile(0.1), lambda x: x.quantile(0.25), lambda x: x.quantile(0.75),lambda x: x.quantile(0.9)]}) # 绘制时间序列折线图 dates = statistics.index.tolist() plt.figure(figsize=(12, 6)) # 绘制因子A的时间序列折线图 plt.subplot(3, 1, 1) plt.plot(dates, statistics[('TurnoverRateRM', 'mean')], label='Mean') plt.plot(dates, statistics[('TurnoverRateRM', 'median')], label='Median') plt.plot(dates, statistics[('TurnoverRateRM', ''<lambda_0>'')], label='10% Quantile') plt.plot(dates, statistics[('TurnoverRateRM', ''<lambda_1>'')], label='25% Quantile') plt.plot(dates, statistics[('TurnoverRateRM', ''<lambda_2>'')], label='75% Quantile') plt.plot(dates, statistics[('TurnoverRateRM', ''<lambda_3>'')], label='90% Quantile') plt.ylabel('近月换手率') plt.legend() # 绘制因子B的时间序列折线图 plt.subplot(3, 1, 2) plt.plot(dates, statistics[('YearVolatilityByDay', 'mean')], label='Mean') plt.plot(dates, statistics[('YearVolatilityByDay', 'median')], label='Median') plt.plot(dates, statistics[('YearVolatilityByDay', ''<lambda_0>'')], label='10% Quantile') plt.plot(dates, statistics[('YearVolatilityByDay', ''<lambda_1>'')], label='25% Quantile') plt.plot(dates, statistics[('YearVolatilityByDay', ''<lambda_2>'')], label='75% Quantile') plt.plot(dates, statistics[('YearVolatilityByDay', ''<lambda_3>'')], label='90% Quantile') plt.ylabel('年化波动率') plt.legend() # 绘制因子C的时间序列折线图 plt.subplot(3, 1, 3) plt.plot(dates, statistics[('Prc2bk', 'mean')], label='Mean') plt.plot(dates, statistics[('Prc2bk', 'median')], label='Median') plt.plot(dates, statistics[('Prc2bk', ''<lambda_0>'')], label='10% Quantile') plt.plot(dates, statistics[('Prc2bk', ''<lambda_1>'')], label='25% Quantile') plt.plot(dates, statistics[('Prc2bk', ''<lambda_2>'')], label='75% Quantile') plt.plot(dates, statistics[('Prc2bk', ''<lambda_3>'')], label='90% Quantile') plt.ylabel('改良市净率') plt.legend() plt.xlabel('建仓日') plt.tight_layout() plt.show() 我写了一段代码 但是运行出错了 帮我看看怎么改 我把错误信息贴给你
775ef83741ecadd1efbd844f14d90056
{ "intermediate": 0.2864319384098053, "beginner": 0.5129333734512329, "expert": 0.20063473284244537 }
19,785
Рисование не работает исправь : <?php class Decoder { const TYPE_MASK = 0b11000000; const W_MASK = 0b00110000; const H_MASK = 0b00001100; const COL_MASK = 0b00000011; private int $type; private string $color; private int $width; private int $height; public function __construct($num) { $this->width = match(($num & self::W_MASK) >> 4) { 0 => 20, 1 => 50, 2 => 100, 3 => 250 }; $this->height = match(($num & self::H_MASK) >> 2) { 0 => 20, 1 => 50, 2 => 100, 3 => 250 }; $this->color = match($num & self::COL_MASK) { 0 => '#000000', 1 => '#ff0000', 2 => '#00ff00', 3 => '#0000ff' }; $this->type = ($num & self::TYPE_MASK) >> 6; } public function draw(): void { $cx = 300; $cy = 300; $r = min($this->width, $this->height) / 2; $shapeSvg = match($this->type) { 0 => "<circle cx='$cx' cy='$cy' r='$r' fill='#$this->color'/>", 1 => "<rect width='$this->width' height='$this->height' fill='$this->color'/>", 2 => "<ellipse cx='$cx' cy='$cy' rx ='$cx' ry='$cy' fill='$this->color' />", 3 => "<line x1='0' x2='$this->width' y1='0' y2='$this->height' stroke='$this->color' stroke-width='10'/>", }; echo "<svg width='500' height='500'> $shapeSvg </svg>"; } } GNU nano 6.2 drawer.php <!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <title>Drawer</title> </head> <body> <?php include 'decoder.php'; $num = $_GET['num'] ?? null; $drawer = new Decoder($num); $drawer->draw(); ?> </body> </html>
58a93b3d0d50959a53dedb820f9c372e
{ "intermediate": 0.37848541140556335, "beginner": 0.4830482006072998, "expert": 0.13846637308597565 }
19,786
Увеличь фигуру в размерах , а так же сделай так чтобы на фигуре отображалась надпись "Here was Ivan" : <?php class Decoder{ const TYPE_MASK = 0b11000000; const W_MASK = 0b00110000; const H_MASK = 0b00001100; const COL_MASK = 0b00000011; private int $type; private string $color; private int $width; private int $height; public function __construct($num) { $this->width = match (($num & self::W_MASK)>>4){ 0 => 20, 1 => 50, 2 => 100, 3 => 250 }; $this->height = match (($num & self::H_MASK)>>2){ 0 => 20, 1 => 50, 2 => 100, 3 => 250 }; $this->color = match ($num & self::COL_MASK){ 0 => '#000000', 1 => '#ff0000', 2 => '#00ff00', 3 => '#0000ff' }; $this->type = ($num & self::TYPE_MASK) >> 6; } public function draw(): void { $cx = 300; $cy = 300; $r = min($this->width, $this->height) / 2; $shapeSvg = match ($this->type) { 0 => "<circle cx='$cx' cy='$cy' r='$r' fill='#$this->color'/>", 1 => "<rect width='$this->width' height='$this->height' fill='$this->color'/>", 2 => "<ellipse cx='$cx' cy='$cy' rx ='$cx' ry='$cy' fill='$this->color' />", 3 => "<line x1='0' x2='$this->width' y1='0' y2='$this->height' stroke='$this->color' stroke-width='10'/>", }; echo "<svg width='500' height='500'> $shapeSvg </svg>"; } }
7b532ad9738232b53d7ba27ae0659b25
{ "intermediate": 0.23851563036441803, "beginner": 0.6494488716125488, "expert": 0.11203541606664658 }
19,787
Увеличь фигуру в размерах , а так же сделай так чтобы на фигуре отображалась надпись "Here was Ivan" : <?php class Decoder{ const TYPE_MASK = 0b11000000; const W_MASK = 0b00110000; const H_MASK = 0b00001100; const COL_MASK = 0b00000011; private int $type; private string $color; private int $width; private int $height; public function __construct($num) { $this->width = match (($num & self::W_MASK)>>4){ 0 => 20, 1 => 50, 2 => 100, 3 => 250 }; $this->height = match (($num & self::H_MASK)>>2){ 0 => 20, 1 => 50, 2 => 100, 3 => 250 }; $this->color = match ($num & self::COL_MASK){ 0 => '#000000', 1 => '#ff0000', 2 => '#00ff00', 3 => '#0000ff' }; $this->type = ($num & self::TYPE_MASK) >> 6; } public function draw(): void { $cx = 300; $cy = 300; $r = min($this->width, $this->height) / 2; $shapeSvg = match ($this->type) { 0 => "<circle cx='$cx' cy='$cy' r='$r' fill='#$this->color'/>", 1 => "<rect width='$this->width' height='$this->height' fill='$this->color'/>", 2 => "<ellipse cx='$cx' cy='$cy' rx ='$cx' ry='$cy' fill='$this->color' />", 3 => "<line x1='0' x2='$this->width' y1='0' y2='$this->height' stroke='$this->color' stroke-width='10'/>", }; echo "<svg width='500' height='500'> $shapeSvg </svg>"; } }
19f6d10cf7066cefeac4dd523fdcaf74
{ "intermediate": 0.23851563036441803, "beginner": 0.6494488716125488, "expert": 0.11203541606664658 }
19,788
I need information about adaptation, aggregation and arbitrag of Lay’s Chips
85bdd66846e3f85701c2cbe2fd025eb4
{ "intermediate": 0.31997987627983093, "beginner": 0.35027554631233215, "expert": 0.32974451780319214 }
19,789
I want a free photos that it's size is 1920 * 1080 can you give me some websites that can provide them for me
dab6824e8e9b4b90d2d80a6c69bc4ae1
{ "intermediate": 0.3847440481185913, "beginner": 0.28705278038978577, "expert": 0.32820314168930054 }
19,790
есть строка take_derivatives_in_point("k*(sqrt(x)) + m*x + n"). Мне в питоне надо ее разбит на 2 части ,take_derivatives_in_point и k*(sqrt(x)) + m*x + n
bffaf824c18913b689d98ae83f9f9336
{ "intermediate": 0.2277250438928604, "beginner": 0.25141599774360657, "expert": 0.5208589434623718 }
19,791
#include <iostream> int main() { // Write C++ code here double Grade; cout << "ENTER A FINAL GRADE"; cin>>Grade; if (Grade<0 || Grade>100){ cout<< "NO GRADE ATTACHED" <<endl; } else{ if(Grade<=74){ cout<< "FAILED"<< endl; } else{ if(Grade>=75){ cout<<"PASSED"<<endl; } } } return 0; }
5b752cceac546cec2b99bcf0b6a50b01
{ "intermediate": 0.33629855513572693, "beginner": 0.32973530888557434, "expert": 0.33396607637405396 }
19,792
این خطا را چطور رفع کنم * What went wrong: Could not determine the dependencies of task ':react-native-background-fetch:compileDebugAidl'. > Could not resolve all task dependencies for configuration ':react-native-background-fetch:debugCompileClasspath'. > Could not find androidx.lifecycle:lifecycle-runtime:2.4.1. Required by: project :react-native-background-fetch > Could not find androidx.lifecycle:lifecycle-extensions:2.2.0. Required by: project :react-native-background-fetch > Could not find androidx.lifecycle:lifecycle-runtime:2.4.1. Required by: project :react-native-background-fetch > androidx.core:core:1.7.0 project :react-native-background-fetch > androidx.activity:activity:1.2.4
5d5d5c4b1b7d51a47b3c0e8cff7593ce
{ "intermediate": 0.4303155243396759, "beginner": 0.35511964559555054, "expert": 0.21456483006477356 }