row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
14,571
I get this console error: "{ "uid": "rc-upload-1688616289733-3", "lastModified": 1688616176993, "lastModifiedDate": "2023-07-06T04:02:56.993Z", "name": "statics.xlsx", "size": 8633, "type": "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet", "percent": 0, "originFileObj": { "uid": "rc-upload-1688616289733-3" }, "error": { "status": 400, "method": "post", "url": "http://localhost:5041/api/admin/AddStatic" }, "response": { "type": "https://tools.ietf.org/html/rfc7231#section-6.5.1", "title": "One or more validation errors occurred.", "status": 400, "traceId": "00-684de5adf77c1fb735a4d12fb24fb8d8-c9fa45cbd1fed588-00", "errors": { "files": [ "The files field is required." ] } }, "status": "error" }" when i post this excel file upload: "const props = { name: 'file', action: 'http://localhost:5041/api/admin/AddStatic', // change this to your server endpoint that will handle the file upload headers: { authorization: 'authorization-text', }, onChange(info) { if (info.file.status !== 'uploading') { console.log(info.file, info.fileList); } if (info.file.status === 'done') { message.success(`${info.file.name} تم رفع الملف`); // save the response url in the state } else if (info.file.status === 'error') { message.error(`${info.file.name} فشل رفع الملف.`); } }, progress: { strokeColor: { '0%': '#108ee9', '100%': '#87d068', }, strokeWidth: 3, format: (percent) => `${parseFloat(percent.toFixed(2))}%`, }, };" to this server-side controller: "[HttpPost("AddStatic")] public async Task<IActionResult> UploadStatic(IFormFile files) { if (files != null && files.Length > 0) { using var stream = new MemoryStream(); await files.CopyToAsync(stream); stream.Position = 0; using var reader = ExcelReaderFactory.CreateReader(stream); var config = new ExcelDataSetConfiguration { ConfigureDataTable = _ => new ExcelDataTableConfiguration { UseHeaderRow = false // Assuming there are no headers in the first row } }; var dataSet = reader.AsDataSet(config); var dataTable = dataSet.Tables[0]; // Assuming there is only one sheet in the Excel file var stringsList = new List<string>(); foreach (DataRow row in dataTable.Rows) { var stringValue = row[0].ToString(); // Assuming data is in the first column stringsList.Add(stringValue); } // Add the strings to _context.StaticMsgs foreach (var str in stringsList) { _context.StaticMsgs.Add(new StaticMsg { Txt = str }); } await _context.SaveChangesAsync(); return Ok(); } return BadRequest("No file uploaded"); }" figure out the issue and fix it.
44c3fe8646745f97acac4c735663ef5f
{ "intermediate": 0.34392741322517395, "beginner": 0.4656889736652374, "expert": 0.19038358330726624 }
14,572
my_matrix<-matrix(1:9,nrow=3) for(i in seq_len (nrow(my_matrix))) { for(j in seq_len(ncol(my_matrix))) } complete the program
9a26d34ab35660260d4971297dd6f94e
{ "intermediate": 0.3961406946182251, "beginner": 0.3691811263561249, "expert": 0.23467810451984406 }
14,573
what is the most common name
b587b2415bba20e27d2335dd24309a3b
{ "intermediate": 0.3530556857585907, "beginner": 0.3555542826652527, "expert": 0.29139000177383423 }
14,574
I've an asp.net core with ReactJS project, this is an axios get to get a list from the controller: " const callData = async () => { try { const response = axios.get('http://localhost:5041/admin/getStatic'); setDita(response.data); message.success('تم تفعيل حسابك بنجاح! يمكنك تسجيل الدخول الأن'); } catch (error) { console.error('There was an error!', error); message.error('دث خطأ يرجى المحاولة وقت اخر'); } }; const [dita, setDita] = useState([]);" this is the controller code: "[HttpGet("getStatic")] public async Task<IActionResult> getStatic() { var set = await _context.StaticMsgs.ToListAsync(); return Ok(set); }" and this is the controller code: "[HttpPost("AddStatic")] public async Task<IActionResult> UploadStatic(IFormFile files) { if (files != null && files.Length > 0) { using var stream = new MemoryStream(); await files.CopyToAsync(stream); stream.Position = 0; using var reader = ExcelReaderFactory.CreateReader(stream); var config = new ExcelDataSetConfiguration { ConfigureDataTable = _ => new ExcelDataTableConfiguration { UseHeaderRow = false // Assuming there are no headers in the first row } }; var dataSet = reader.AsDataSet(config); var dataTable = dataSet.Tables[0]; // Assuming there is only one sheet in the Excel file var stringsList = new List<string>(); foreach (DataRow row in dataTable.Rows) { var stringValue = row[0].ToString(); // Assuming data is in the first column stringsList.Add(stringValue); } // Add the strings to _context.StaticMsgs foreach (var str in stringsList) { var data = new StaticMsg(); data.Txt = str; _context.StaticMsgs.Add(data); } await _context.SaveChangesAsync(); return Ok(); } return BadRequest("No file uploaded"); }" figure out the issue and fix it.
a20aaff3c9ea90ccbf5cb6a804582033
{ "intermediate": 0.43051591515541077, "beginner": 0.34598883986473083, "expert": 0.2234952747821808 }
14,575
how to detect a reporting system in linux through cli? In Linux, there are various methods to
85304efb5be6b24d2b780678339aca60
{ "intermediate": 0.5619898438453674, "beginner": 0.15880584716796875, "expert": 0.27920424938201904 }
14,576
Object reference not set to an instance of an object.
84963b695ddb9c777f996c6ad5ad4b81
{ "intermediate": 0.3972696363925934, "beginner": 0.2963451147079468, "expert": 0.3063853085041046 }
14,577
m1=matrix((1,2,3,4,5,6),nrow=2,ncol=3) m2=matrix((1,2,3,4,5,6),nrow=2,ncol=3) result=m1+m2 print(result) result=m1-m2 print(result) result=m1/m2 print(result) correct this code
d9578c143012566bf9d005042016f7e4
{ "intermediate": 0.22046014666557312, "beginner": 0.6350299715995789, "expert": 0.1445099115371704 }
14,578
how to detect a reporting system in linux through cli? In Linux, there are various methods to detect a reporting system through the command line interface (CLI). Here are some ways to achieve it: 1. Check for the presence of commonly used reporting tools: Many Linux distributions come with pre-installed reporting tools such as “sar” (System Activity Reporter) or “top” (Task Manager). You can try running these commands in the CLI to see if they exist or provide an output. 2. Check the log files: Most reporting systems maintain log files to store information about system activities, errors, and events. You can navigate to the log directory (/var/log/) and look for files related to reporting tools like “syslog”, “auth.log”, “audit.log”, etc. Use tools like “less” or “tail” to view the contents of these log files and search for any reporting-related information. 3. Search for installed reporting packages: Use package management tools such as “apt”, “yum”, or “dnf” to list the installed packages on your system. Look for packages with names like “reporting-tools”, “logging”, or specific reporting system names like “logwatch”, “mrtg”, “collectd”, etc. 4. Check for running processes: Run the “ps” command to list all running processes on your system. Look for processes related to reporting systems or monitoring tools. Pay attention to process names or keywords like “report”, “monitor”, “watchdog”, etc. 5. Look for configuration files: Reporting systems often have configuration files that define their settings and behavior. Search for files or directories related to reporting in common locations like /etc/, /usr/local/, or the home directories of the tools. You can use commands like “find” or “grep” to search for specific filenames or keywords within files. 6. Review installed monitoring agents: If your system has monitoring agents like Nagios, Zabbix, or Prometheus installed, these often come with built-in reporting capabilities. Check their configuration files or settings to see if any reporting functionalities are enabled. Note that the methods and tools mentioned above may differ depending on your Linux distribution and setup. that would be nice to display available crawlers or reporting loggers through some cli command. Detecting available crawlers or reporting loggers on Linux through a CLI command is a bit challenging since it depends on what specific tools or packages you have installed. However, you can try using the following command to list the installed packages related to logging or crawling: For Debian-based systems (like Ubuntu): dpkg-query -l | grep -E ‘log|crawl’ For Red Hat-based systems (like CentOS or Fedora): rpm -qa | grep -E ‘log|crawl’ Both commands search for package names that contain either “log” or “crawl” and display the installed packages that match the criteria. Keep in mind that this won’t include all possible logging or crawling tools, as it relies on package names. Some tools may not be available as packages or may have different names. Another option is to search for specific CLI commands related to logging or crawling. Here are a few examples: 1. For system log analysis, you can use “grep” command to filter log files based on specific criteria. For example, to search for “error” entries in a log file, you can use: grep “error” /var/log/syslog 2. If you have the Elasticsearch-Logstash-Kibana (ELK) stack installed, you can use the “curl” command to interact with the Elasticsearch API and retrieve log data. For example, to query logs with specific criteria, you can use: curl -X GET “localhost:9200/_search?q=error&pretty” Remember that the availability and functionality of these commands depend on the tools and packages installed on your system. “what specific tools or packages you have installed”. the problem that no any user has any idea, except maybe devs themselves. Correct, determining the specific tools or packages installed on a Linux system can be challenging without prior knowledge or access to the system. In such cases, it may be helpful to consult with system administrators or developers who have knowledge of the system’s configuration. Alternatively, you can try exploring commonly used logging or crawling tools by running generic commands and checking if they exist or provide output. Some widely used tools for logging and crawling in Linux include: - Logstash: Check if the command “logstash” is accessible and check its documentation for further usage. - Elasticsearch-Curator: Check if the command “curator” is accessible and check its documentation for further usage. - Apache Nutch: Check if the command “nutch” is accessible and check its documentation for further usage. Please note that these suggestions are not exhaustive, and the availability or usage of these tools may vary depending on the specific Linux distribution and system configuration. It is always recommended to consult the system documentation or seek assistance from professionals for accurate identification of installed tools or packages. nutch bash: nutch: command not found curator bash: curator: command not found logstash bash: logstash: command not found they are using some other reporting method. any ideas? If the commands for Nutch, Curator, and Logstash are not found, it suggests that these specific tools are not installed or accessible on the system. In this case, it’s possible that the system is using a different reporting method or tools that are not commonly available or installed through package management. Without specific knowledge of the system or access to it, it can be challenging to determine the exact reporting method being used. However, you can consider the following approaches to gather more information: 1. Consult the system administrator or developers: Reach out to the system administrators or developers who are responsible for the system. They will likely have information about the reporting methods or tools being used. 2. Check system documentation or configuration files: Look for any relevant system documentation or configuration files that may provide insights into the reporting methods or tools. Common locations for configuration files include directories like /etc/, /usr/local/, or the home directories of the tools. 3. Review installed packages: Use package management tools such as “apt,” “yum,” or “dnf” to list all installed packages on the system. Look for packages with names related to reporting, analytics, or monitoring. It’s possible that the tools being used are not commonly known or have different names. 4. Explore the system directories: Navigate through the system directories and look for any custom scripts or executables related to reporting. Common locations to check include /usr/local/bin, /opt/, or /usr/bin. Remember that without detailed knowledge of the system setup, identifying the exact reporting method being used can be challenging. Consulting with system administrators or developers will provide the most accurate information in this case. no any “package” present. output commands for cli to navigate or display through cli. Without any specific information about the system or the tools being used, it is challenging to provide precise CLI commands to navigate or display the reporting system. However, here are a few general CLI commands that you can try to navigate and display information: 1. Navigate the root directory: Use the following command to navigate to the root directory: cd / 2. List all directories: Use the following command to list all directories in the current directory: ls -l 3. List all files: Use the following command to list all files in the current directory: ls -l 4. Search for specific files: If you have any specific filenames related to the reporting system in mind, you can use the following command to search for them: find / -name “<filename>” Replace &lt;filename&gt; with the actual name of the file you want to search for. 5. Display file contents: Once you locate a file related to the reporting system, you can use the following command to display its contents: cat <filename> Replace &lt;filename&gt; with the actual name of the file you want to display. These commands can help you explore the system directories and display the contents of files. However, keep in mind that the effectiveness of these commands depends on the system configuration and the specific tools being used. If you have access to the system or more information about the reporting system being used, it is recommended to consult with system administrators or developers for accurate guidance on navigating and displaying the reporting system through the CLI. how you locate a file among millions of files. need a different approach here.
3bbfa5066ac90840952d3607ab60d24d
{ "intermediate": 0.37948140501976013, "beginner": 0.3839987814426422, "expert": 0.23651982843875885 }
14,579
C#实现给pdf加图片水印并下载
2978f07ab18d0a7a776702e79b7c043d
{ "intermediate": 0.3887578547000885, "beginner": 0.35813865065574646, "expert": 0.25310349464416504 }
14,580
in C language why can’t i just use operator / to perform division of 64-bit integers?
625a8fc09131dc4cc22534be866c2780
{ "intermediate": 0.34518417716026306, "beginner": 0.21335598826408386, "expert": 0.4414598047733307 }
14,581
Option Explicit Public PuzzleNum As Single Sub InsertSamurai() Dim ws As Worksheet: Set ws = Puzzles Dim lastRow As Single: lastRow = WorksheetFunction.CountA(ws.Range("B6:B10000")) Randomize PuzzleNum = WorksheetFunction.RandBetween(6, lastRow) Dim X As Single, Y As Single, Z As Single: Z = 0 Dim rng As Range: Set rng = ws.Range("B" & PuzzleNum) Dim rX As Range: Set rX = Range("rSamuraiTop") Dim rSamurai As Range: Set rSamurai = Range("rSamurai") Dim rClear As Range ClearSamurai For X = 1 To 21 For Y = 1 To 21 If rX(X, Y) <> "*" Then Z = Z + 1 If Mid(rng.Value, Z, 1) = "-" Then rX(X, Y) = "" Else rX(X, Y) = Mid(rng.Value, Z, 1) End If End If Next Y Next X InsertSamuraiHelp Range("rTitle") = "Samurai Sudoku " & PuzzleNum With rSamurai .Interior.ColorIndex = xlNone .Font.ColorIndex = -4105 With .SpecialCells(xlCellTypeConstants, 23) .Interior.Color = RGB(187, 240, 189) End With End With For X = 1 To 4 Set rClear = Range("rClear" & X) With rClear .Interior.Color = vbWhite .Font.Color = vbWhite End With Next X End Sub
42d8aa21f94fca6aa5827ad8aa1f8a7d
{ "intermediate": 0.43637385964393616, "beginner": 0.3679603636264801, "expert": 0.19566583633422852 }
14,582
运行后,网页出现<class 'KeyError'> at / 'IndexHandler'
df57bc3c56c98720f7f560d476f86f01
{ "intermediate": 0.3559088408946991, "beginner": 0.4573177695274353, "expert": 0.1867734044790268 }
14,583
linux class_attribute .show怎么通过shell命令调用到
9cd89789f24250badb175a40a093c358
{ "intermediate": 0.24913877248764038, "beginner": 0.5378423929214478, "expert": 0.21301881968975067 }
14,584
write Java code to create a number of table in JFrame as number inputted by user
d645e54e5c459041067260f935874b50
{ "intermediate": 0.602358341217041, "beginner": 0.15261250734329224, "expert": 0.24502910673618317 }
14,585
Write Java code to implement a personal AI for one person
f624cd20f4aed0d5182767ff02bc70f4
{ "intermediate": 0.19988836348056793, "beginner": 0.12075214833021164, "expert": 0.679359495639801 }
14,586
what dose div_u64() do in asm/div64.h?
8b09820df8dd37eb4aed26b9566d70a8
{ "intermediate": 0.3726632595062256, "beginner": 0.2816604971885681, "expert": 0.3456762135028839 }
14,587
Write Java code to performs OCR for Japanese language text on screen
df0bcbf54b745f8636aec55a03eca3b9
{ "intermediate": 0.3818490207195282, "beginner": 0.14070087671279907, "expert": 0.47745004296302795 }
14,588
now implement the freertos version of div64_u64() in asm/div64.h
b0fe764310e2078b1ba427714cfa43c4
{ "intermediate": 0.38942602276802063, "beginner": 0.21270382404327393, "expert": 0.39787012338638306 }
14,589
ImageData imageData = ImageDataFactory.Create(watermarkImage, true);报错 无法将watermarkimage从system.drawing.image转换成byte[]
66d3b304ae9820514bd08958fed3e8cb
{ "intermediate": 0.4074181616306305, "beginner": 0.2089858055114746, "expert": 0.3835960328578949 }
14,590
write Java code to display GUI to display Inventory for a game. Inventory have slots: Head, Top, Bottom, Overall, Shoes, Gloves, Weapon, SubWeapon. The slots is empty if there is no items equipped else display items image.
17e880874af70dba9213c42e3b359d9f
{ "intermediate": 0.4599371552467346, "beginner": 0.19700103998184204, "expert": 0.34306180477142334 }
14,591
div64_u64() in asm/div64.h
5842f7758e758afab06716ef7b45bf63
{ "intermediate": 0.31083908677101135, "beginner": 0.352744996547699, "expert": 0.3364159166812897 }
14,592
"scripts": { "python:script": "python3 rpoint/integration/acp/acp50_endpoint_inventory_pull.py --address rpoint-wazuh-manager.rpoint.test.dev.rvision.local --user admin --password RPoint-123! --verify_certificate false > rpoint/integration/acp/result.txt", "test": "npx playwright install && npm run python:script && npx playwright test", "test:all": "npx playwright test" }, я хочу запустить npm run test:all --grep @Debian, но не нахожу тесты, что исправить в test:all, чтобы я мог запускать все тесты и добавлять греп по тегу?? то есть у меня одна запись test:all если пишу npm run test:all - запускаются все тесты а если npm run test:all --grep @Debian - только тесты на Debian
c4fb8d8bbff969b23c59033c3bc9a6de
{ "intermediate": 0.45974001288414, "beginner": 0.37098222970962524, "expert": 0.16927778720855713 }
14,593
# -- coding: gbk -- # -- coding: utf-8 -- import web from urllib.parse import parse_qs import datetime def calculate_check_digit(id_number): if len(id_number) != 17: return None weight = [int(num) for num in '798621345'] sum = 0 for i in range(17): sum += int(id_number[i]) * weight[i] check_digit = (12 - (sum % 11)) % 11 return str(check_digit) if check_digit < 10 else 'X' def upgrade_id_number(id_number): if len(id_number) != 15: return None id_number = id_number[:6] + '19' + id_number[6:] check_digit = calculate_check_digit(id_number) return id_number + check_digit def validate_id_number(id_number): if len(id_number) == 18: check_digit = calculate_check_digit(id_number[:17]) if check_digit != id_number[-1]: return False elif len(id_number) == 15: upgraded_id_number = upgrade_id_number(id_number) if upgraded_id_number: return validate_id_number(upgraded_id_number) else: return False else: return False birth_date = id_number[6:14] try: year = int(birth_date[:4]) month = int(birth_date[4:6]) day = int(birth_date[6:8]) datetime.datetime(year, month, day) except ValueError: return False return True def get_gender(id_number): if len(id_number) == 18: gender_digit = int(id_number[-2]) elif len(id_number) == 15: gender_digit = int(id_number[-1]) else: return None if gender_digit % 2 == 0: return '女性'.encode('utf-8').decode('utf-8') else: return '男性'.encode('utf-8').decode('utf-8') def get_birthplace(id_number): provinces = { '11': '北京', '12': '天津', '13': '河北', '14': '山西', '15': '内蒙古', '21':' 辽宁', '22': '吉林', '23': '黑龙江', '31': '上海', '32': '江苏', '33': '浙江', '34':' 安徽', '35': '福建', '36': '江西', '37': '山东', '41': '河南', '42': '湖北', '43': '湖南', '44': '广东', '45': '广西', '46': '海南', '50': '重庆', '51': '四川', '52': '贵州', '53': '云南', '54': '西藏', '61': '陕西', '62': '甘肃', '63': '青海', '64': '宁夏', '65': '新疆', '71': '台湾', '81': '香港', '82': '澳门', '91': '国外' } province_code = id_number[:2] return provinces.get(province_code) @staticmethod class IndexHandler: def do_GET(self): if self.path == '/': self.send_response(200) self.send_header('Content-Type', 'text/html') self.end_headers() self.wfile.write((''' <!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <title>身份证号码校验系统</title> </head> <body> <h1>身份证号码校验系统</h1> <form method="POST" action="/check"> <label for="idcard">请输入身份证号码:</label> <input type="text" id="idcard" name="idcard" required> <input type="submit" value="校验"> </form> </body> </html>''').encode('utf-8')) @staticmethod class CheckHandler: def do_GET(self): if self.path == '/check': content_len = int(self.headers.get('Content-Length', 0)) post_body = self.rfile.read(content_len).decode() data = parse_qs(post_body) id_number = data.get('idcard', [''])[0] if validate_id_number(id_number): result = '有效' gender = get_gender(id_number) birthplace = get_birthplace(id_number) result += f'<br>性别:{gender}' if gender else '' result += f'<br>出生地:{birthplace}' if birthplace else '' else: result = '无效' self.send_response(200) self.send_header('Content-Type', 'text/html') self.end_headers() self.wfile.write((''' <!DOCTYPE html> <html> <head> <meta charset=“UTF-8”> </head> <body> 结果: ''' + str(result) + '</body></html>').encode('utf-8')) urls = ( '/', 'IndexHandler','/check', 'CheckHandler') if __name__ == "__main__": app = web.application(urls, globals()) app.run() 运行后出现method not allowed
ac0250a7bbbf26f9a9e57eafb092eda4
{ "intermediate": 0.4743996560573578, "beginner": 0.3249706029891968, "expert": 0.20062971115112305 }
14,594
div64_s64() in asm/div64.h
c85bba73fcf6f0123875d3675219ae4c
{ "intermediate": 0.31265586614608765, "beginner": 0.36762022972106934, "expert": 0.31972387433052063 }
14,595
ImageData imageData = ImageDataFactory.Create(watermarkBytes, true); iText.Kernel.Pdf.Xobject.PdfImageXObject xobject = new iText.Kernel.Pdf.Xobject.PdfImageXObject(imageData, null); pdfCanvas.Rectangle( x, y, imageWidth, imageHeight); 这样写水印就不显示了
128e1ac6ad105661c4b75295a6a0835f
{ "intermediate": 0.3689935803413391, "beginner": 0.3827328085899353, "expert": 0.24827361106872559 }
14,596
# -- coding: gbk -- # -- coding: utf-8 -- import web from urllib.parse import parse_qs import datetime def calculate_check_digit(id_number): if len(id_number) != 17: return None weight = [int(num) for num in '798621345'] sum = 0 for i in range(17): sum += int(id_number[i]) * weight[i] check_digit = (12 - (sum % 11)) % 11 return str(check_digit) if check_digit < 10 else 'X' def upgrade_id_number(id_number): if len(id_number) != 15: return None id_number = id_number[:6] + '19' + id_number[6:] check_digit = calculate_check_digit(id_number) return id_number + check_digit def validate_id_number(id_number): if len(id_number) == 18: check_digit = calculate_check_digit(id_number[:17]) if check_digit != id_number[-1]: return False elif len(id_number) == 15: upgraded_id_number = upgrade_id_number(id_number) if upgraded_id_number: return validate_id_number(upgraded_id_number) else: return False else: return False birth_date = id_number[6:14] try: year = int(birth_date[:4]) month = int(birth_date[4:6]) day = int(birth_date[6:8]) datetime.datetime(year, month, day) except ValueError: return False return True def get_gender(id_number): if len(id_number) == 18: gender_digit = int(id_number[-2]) elif len(id_number) == 15: gender_digit = int(id_number[-1]) else: return None if gender_digit % 2 == 0: return '女性'.encode('utf-8').decode('utf-8') else: return '男性'.encode('utf-8').decode('utf-8') def get_birthplace(id_number): provinces = { '11': '北京', '12': '天津', '13': '河北', '14': '山西', '15': '内蒙古', '21':' 辽宁', '22': '吉林', '23': '黑龙江', '31': '上海', '32': '江苏', '33': '浙江', '34':' 安徽', '35': '福建', '36': '江西', '37': '山东', '41': '河南', '42': '湖北', '43': '湖南', '44': '广东', '45': '广西', '46': '海南', '50': '重庆', '51': '四川', '52': '贵州', '53': '云南', '54': '西藏', '61': '陕西', '62': '甘肃', '63': '青海', '64': '宁夏', '65': '新疆', '71': '台湾', '81': '香港', '82': '澳门', '91': '国外' } province_code = id_number[:2] return provinces.get(province_code) class IndexHandler(object): @staticmethod def POST(self): if web.ctx.path == '/': self.send_response(200) web.header('Content-Type', 'text/html') self.end_headers() self.wfile.write((''' <!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <title>身份证号码校验系统</title> </head> <body> <h1>身份证号码校验系统</h1> <form method="POST" action="/check"> <label for="idcard">请输入身份证号码:</label> <input type="text" id="idcard" name="idcard" required> <input type="submit" value="校验"> </form> </body> </html>''').encode('utf-8')) class CheckHandler(object): @staticmethod def POST(self): data = web.data() post_body = data.decode() params = parse_qs(post_body) id_number = params.get('idcard', [''])[0] if validate_id_number(id_number): result = '有效' gender = get_gender(id_number) birthplace = get_birthplace(id_number) result += f'<br>性别:{gender}' if gender else '' result += f'<br>出生地:{birthplace}' if birthplace else '' else: result = '无效' self.send_response(200) self.send_header('Content-Type', 'text/html') self.end_headers() self.wfile.write((''' <!DOCTYPE html> <html> <head> <meta charset=“UTF-8”> </head> <body> 结果: ''' + str(result) + '</body></html>').encode('utf-8')) urls = ( '/', 'IndexHandler','/check', 'CheckHandler') if __name__ == "__main__": app = web.application(urls, globals()) app.run() 检查代码 运行不了
f0f2e277e821b4dbc55d39a18938920a
{ "intermediate": 0.4743996560573578, "beginner": 0.3249706029891968, "expert": 0.20062971115112305 }
14,597
# – coding: gbk – # -- coding: utf-8 -- import web from http.server import BaseHTTPRequestHandler, HTTPServer from urllib.parse import parse_qs import datetime def calculate_check_digit(id_number): if len(id_number) != 17: return None weight = [int(num) for num in '798621345'] sum = 0 for i in range(17): sum += int(id_number[i]) * weight[i] check_digit = (12 - (sum % 11)) % 11 return str(check_digit) if check_digit < 10 else 'X' def upgrade_id_number(id_number): if len(id_number) != 15: return None id_number = id_number[:6] + '19' + id_number[6:] check_digit = calculate_check_digit(id_number) return id_number + check_digit def validate_id_number(id_number): if len(id_number) == 18: check_digit = calculate_check_digit(id_number[:17]) if check_digit != id_number[-1]: return False elif len(id_number) == 15: upgraded_id_number = upgrade_id_number(id_number) if upgraded_id_number: return validate_id_number(upgraded_id_number) else: return False else: return False birth_date = id_number[6:14] try: year = int(birth_date[:4]) month = int(birth_date[4:6]) day = int(birth_date[6:8]) datetime.datetime(year, month, day) except ValueError: return False return True def get_gender(id_number): if len(id_number) == 18: gender_digit = int(id_number[-2]) elif len(id_number) == 15: gender_digit = int(id_number[-1]) else: return None if gender_digit % 2 == 0: return '女性' else: return '男性' def get_birthplace(id_number): provinces = { '11': '北京', '12': '天津', '13': '河北', '14': '山西', '15': '内蒙古', '21':' 辽宁', '22': '吉林', '23': '黑龙江', '31': '上海', '32': '江苏', '33': '浙江', '34':' 安徽', '35': '福建', '36': '江西', '37': '山东', '41': '河南', '42': '湖北', '43': '湖南', '44': '广东', '45': '广西', '46': '海南', '50': '重庆', '51': '四川', '52': '贵州', '53': '云南', '54': '西藏', '61': '陕西', '62': '甘肃', '63': '青海', '64': '宁夏', '65': '新疆', '71': '台湾', '81': '香港', '82': '澳门', '91': '国外' } province_code = id_number[:2] return provinces.get(province_code) urls = ( '/', 'IndexHandler','/check', 'CheckHandler',) class MyHTTPRequestHandler(BaseHTTPRequestHandler): class IndexHandler: def do_GET(self): if self.path == '/': self.send_response(200) self.send_header('Content-Type', 'text/html') self.end_headers() self.wfile.write((''' <!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <title>身份证号码校验系统</title> </head> <body> <h1>身份证号码校验系统</h1> <form method="POST" action="/check"> <label for="idcard">请输入身份证号码:</label> <input type="text" id="idcard" name="idcard" required> <input type="submit" value="校验"> </form> </body> </html>''').encode('utf-8')) class CheckHandler: def do_POST(self): if self.path == '/check': content_len = int(self.headers.get('Content-Length', 0)) post_body = self.rfile.read(content_len).decode() data = parse_qs(post_body) id_number = data.get('idcard', [''])[0] if validate_id_number(id_number): result = '有效' gender = get_gender(id_number) birthplace = get_birthplace(id_number) result += f'<br>性别:{gender}' if gender else '' result += f'<br>出生地:{birthplace}' if birthplace else '' else: result = '无效' self.send_response(200) self.send_header('Content-Type', 'text/html') self.end_headers() self.wfile.write((''' <!DOCTYPE html> <html> <head> <meta charset=“UTF-8”> </head> <body> 结果: ''' + str(result) + '</body></html>').encode('utf-8')) def run(server_class=HTTPServer, handler_class=MyHTTPRequestHandler, port=8000): server_address = ('', port) httpd = server_class(server_address, handler_class) print(f'Starting server on port {port}…') httpd.serve_forever() if __name__ == "__main__": app = web.application(urls, globals()) web.httpserver.runsimple(app.wsgifunc(), ("127.0.0.1", 8000)) 运行后,网页出现 <class 'KeyError'> at / 'IndexHandler'
80b68f368d55ff375f063bc75b620482
{ "intermediate": 0.46616244316101074, "beginner": 0.42250683903694153, "expert": 0.11133069545030594 }
14,598
implement div64_s64(), it should be extremely similar to the following implementation for div_s64() int64_t div_s64(int64_t dividend, int32_t divisor){ int64_t quotient = 0; int64_t remainder = 0; int64_t sign = 1; if ((dividend < 0) != (divisor < 0)) { sign = -1; } dividend = dividend < 0 ? -dividend : dividend; divisor = divisor < 0 ? -divisor : divisor; for (int i = 63; i >= 0; i--) { remainder = (remainder << 1) | ((dividend >> i) & 1); if (remainder >= divisor) { remainder -= divisor; quotient |= (1ULL << i); } } return sign * quotient; }
5dbc5665564625b246dc9d4d01fb8e68
{ "intermediate": 0.3958822786808014, "beginner": 0.2841576039791107, "expert": 0.3199601471424103 }
14,599
what is linestyle="-" doing
2c8147712aa2f4b15bfe4e30e644d646
{ "intermediate": 0.3809340000152588, "beginner": 0.26658299565315247, "expert": 0.35248297452926636 }
14,600
Write Java code with GUI. I want a Home Screen, when i press "I" key, a panel called Inventory will show up, when i press "S" key, a panel called Status will show up.
3ca2a62a02a09c48ab715239f4126b69
{ "intermediate": 0.4253789186477661, "beginner": 0.2313380390405655, "expert": 0.3432830274105072 }
14,601
File "C:\Users\YL198023\Desktop\Main (2).py", line 5 def validate_id_number(id_number): ^ IndentationError: expected an indented block after function definition on line 3
484f0c658ece668f9df2556e0b30b4f7
{ "intermediate": 0.34126460552215576, "beginner": 0.4813821017742157, "expert": 0.17735330760478973 }
14,602
如何解决File “C:\Users\YL198023\Desktop\Main (2).py”, line 5 def validate_id_number(id_number): ^ IndentationError: expected an indented block after function definition on line 3
8b897f93343082e911037d67697e3eb4
{ "intermediate": 0.32524374127388, "beginner": 0.42697638273239136, "expert": 0.24777987599372864 }
14,603
for (int i = 63; i >= 0; i--) { remainder = (remainder << 1) | ((dividend >> i) & 1); if (remainder >= divisor) { remainder -= divisor; quotient |= (1ULL << i); } }
4e9721f83c15e45e7e0958bde57d4558
{ "intermediate": 0.3206566870212555, "beginner": 0.4258173406124115, "expert": 0.25352591276168823 }
14,604
for (int i = 63; i >= 0; i--) { remainder = (remainder << 1) | ((dividend >> i) & 1); if (remainder >= divisor) { remainder -= divisor; quotient |= (1ULL << i); } }
a591421884197f04caa5851f2a55b735
{ "intermediate": 0.3206566870212555, "beginner": 0.4258173406124115, "expert": 0.25352591276168823 }
14,605
how do I send email with python via smtp with gmail securely
cb8e312e263c6b8dfb83b46d74c1bc84
{ "intermediate": 0.4785495400428772, "beginner": 0.14847148954868317, "expert": 0.37297895550727844 }
14,606
for (int i = 63; i >= 0; i--) { remainder = (remainder << 1) | ((dividend >> i) & 1); if (remainder >= divisor) { remainder -= divisor; quotient |= (1ULL << i); } }
79d6faba57a018ee44323af984b88125
{ "intermediate": 0.3206566870212555, "beginner": 0.4258173406124115, "expert": 0.25352591276168823 }
14,607
torch detection_Resnet50_Final.pth检测人脸
515a37d7d84e852111480c7fe659fe45
{ "intermediate": 0.23742899298667908, "beginner": 0.28031766414642334, "expert": 0.4822533428668976 }
14,608
div_u64 in asm/div64.h
ea38ba50d4abf0b457f26223c5636a36
{ "intermediate": 0.2332957237958908, "beginner": 0.3310748338699341, "expert": 0.43562936782836914 }
14,609
from flask import Flask, render_template, request app = Flask(__name__) def calculate_check_digit(id_number): def validate_id_number(id_number): @app.route('/', methods=['GET', 'POST']) def index(): if request.method == 'POST': id_number = request.form['id_number'] if len(id_number) == 15: id_number = id_number[:6] + '19' + id_number[6:] + calculate_check_digit(id_number) if len(id_number) == 18: is_valid = validate_id_number(id_number) if is_valid: gender = id_number[-2] birth_date = id_number[6:14] birth_place = id_number[:6] return render_template('result.html', is_valid=is_valid, gender=gender, birth_date=birth_date, birth_place=birth_place) return render_template('result.html', is_valid=False) return render_template('index.html') if __name__ == '__main__': app.run()完善代码
0879118e3a908cbb00c58376509ec8df
{ "intermediate": 0.5490392446517944, "beginner": 0.25055214762687683, "expert": 0.20040860772132874 }
14,610
java: can midi.sound reach a midi channel of a vst host for example renoise ?
f4750e0fbe1f63e8cbc16cc95b4d34d2
{ "intermediate": 0.5256778597831726, "beginner": 0.16623003780841827, "expert": 0.3080921471118927 }
14,611
I've an asp.net core with Reactjs project, Got this console error: "mapIntoArray @ react.development.js:1130 mapIntoArray @ react.development.js:1099 mapChildren @ react.development.js:1157 forEachChildren @ react.development.js:1194 isItemContainsTextNodeAndNotSingular @ Item.js:61 isFlexMode @ Item.js:72 InternalItem @ Item.js:91 renderWithHooks @ react-dom.development.js:16305 updateForwardRef @ react-dom.development.js:19226 beginWork @ react-dom.development.js:21636 callCallback @ react-dom.development.js:4164 invokeGuardedCallbackDev @ react-dom.development.js:4213 invokeGuardedCallback @ react-dom.development.js:4277 beginWork$1 @ react-dom.development.js:27451 performUnitOfWork @ react-dom.development.js:26557 workLoopSync @ react-dom.development.js:26466 renderRootSync @ react-dom.development.js:26434 performConcurrentWorkOnRoot @ react-dom.development.js:25738 workLoop @ scheduler.development.js:266 flushWork @ scheduler.development.js:239 performWorkUntilDeadline @ scheduler.development.js:533 react.development.js:1130 Uncaught Error: Objects are not valid as a React child (found: object with keys {id, txt}). If you meant to render a collection of children, use an array instead. at mapIntoArray (react.development.js:1130:1) at mapIntoArray (react.development.js:1099:1) at mapChildren (react.development.js:1157:1) at Object.forEachChildren [as forEach] (react.development.js:1194:1) at isItemContainsTextNodeAndNotSingular (Item.js:61:1) at isFlexMode (Item.js:72:1) at InternalItem (Item.js:91:1) at renderWithHooks (react-dom.development.js:16305:1) at updateForwardRef (react-dom.development.js:19226:1) at beginWork (react-dom.development.js:21636:1) mapIntoArray @ react.development.js:1130" when i try to display data in my reactjs component: "useEffect(() => { const callData = async () => { try { const response = await axios.get('http://localhost:5041/api/admin/getStatic'); setDita(response.data); message.success('تم تفعيل حسابك بنجاح! يمكنك تسجيل الدخول الأن'); } catch (error) { console.error('There was an error!', error); message.error('دث خطأ يرجى المحاولة وقت اخر'); } }; callData(); }, []); const [dita, setDita] = useState([]);" into my antDesign component: "<List bordered dataSource={setDita} renderItem={(item) => ( <List.Item> <Typography.Text mark>[ITEM]</Typography.Text> {item} </List.Item> )} />" figure out the issue and fix it.
897819886eb4ff18cc53209cd887a684
{ "intermediate": 0.4260381758213043, "beginner": 0.410247266292572, "expert": 0.16371458768844604 }
14,612
tatic void AddWatermark(string inputFilePath, string outputFilePath, string watermarkText) { string tempFilePath = Path.GetTempFileName(); using (var reader = new iTextSharp.text.pdf.PdfReader(inputFilePath)) using (var stamper = new PdfStamper(reader, new FileStream(tempFilePath, FileMode.Create))) { var pageCount = reader.NumberOfPages; // 设置水印文本样式 var watermarkFont = BaseFont.CreateFont(BaseFont.HELVETICA_BOLD, BaseFont.CP1252, BaseFont.NOT_EMBEDDED); var watermarkColor = BaseColor.GRAY; var watermarkRotation = 45f; for (int i = 1; i <= pageCount; i++) { var pdfContentByte = stamper.GetUnderContent(i); // 添加水印文本 pdfContentByte.BeginText(); pdfContentByte.SetFontAndSize(watermarkFont, 150); pdfContentByte.SetColorFill(watermarkColor); pdfContentByte.ShowTextAligned(iTextSharp.text.Element.ALIGN_CENTER, watermarkText, reader.GetPageSize(i).Width / 2, reader.GetPageSize(i).Height / 2, watermarkRotation); pdfContentByte.EndText(); } stamper.Close(); reader.Close(); } if (File.Exists(outputFilePath)) { File.Delete(outputFilePath); } File.Move(tempFilePath, outputFilePath); } 这段代码中如何设置水印文字颜色的透明度
9314ca842b69483a278c87ae123bcc13
{ "intermediate": 0.44796088337898254, "beginner": 0.2726491689682007, "expert": 0.27939000725746155 }
14,613
from flask import Flask, render_template, request app = Flask(name) def calculate_check_digit(id_number): weights = [2, 7, 6, 5, 4, 3, 2, 1] check_digit = 0 for i in range(len(id_number)): check_digit += int(id_number[i]) * weights[i] check_digit = (12 - (check_digit % 11)) % 10 return str(check_digit) def validate_id_number(id_number): weights = [7, 6, 5, 4, 3, 2, 1, 0, 9, 8, 7, 6, 5, 4, 3, 2, 1] sum = 0 for i in range(len(id_number)-1): sum += int(id_number[i]) * weights[i] check_digit = (12 - (sum % 11)) % 10 return check_digit == int(id_number[-1]) @app.route('/', methods=['GET', 'POST']) def index(): if request.method == 'POST': id_number = request.form['id_number'] if len(id_number) == 15: id_number = id_number[:6] + '19' + id_number[6:] + calculate_check_digit(id_number) if len(id_number) == 18: is_valid = validate_id_number(id_number) if is_valid: gender = "男" if int(id_number[-2]) % 2 == 1 else "女" birth_date = id_number[6:14] birth_place = id_number[:6] return render_template('result.html', is_valid=is_valid, gender=gender, birth_date=birth_date, birth_place=birth_place) return render_template('result.html', is_valid=False) return render_template('index.html') if __name__ == '__main__': app.run() 检测代码
0e3a6564ac1c9a09446f1a3d7beac6d0
{ "intermediate": 0.47398483753204346, "beginner": 0.30312401056289673, "expert": 0.2228911817073822 }
14,614
code to join tokens in voice discord.js v14
af36972d5f9831cf4c4b1aa51eeee465
{ "intermediate": 0.3988877236843109, "beginner": 0.2764492630958557, "expert": 0.3246630132198334 }
14,615
Ignore previous data.Imagine you're an expert Graphic Designer and have experience in Robot Typing, Cyberpunk, Typography, Neon Colors, Futurism, Synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 – upbeta --ar 1:1 t-shirt printing and also an expert Midjourney AI Generative prompt writer. I want you to respond in only english. {PREFIX} is /imagine prompt: Robot Typing, Cyberpunk, Typography, Neon Colors, Futurism, Synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 – upbeta --ar 1:1::2 {SUFFIX} is synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 --upbeta --ar 1:1 Write 4 unique prompts each in a separate code block to copy easily. Each prompt consists of following formatting. Replace the {} curly brackets with the respective instructions. {PREFIX} {Generate the short creative description of a specific character, specific object or vehicle related to Robot Typing, Cyberpunk, Typography, Neon Colors, Futurism, Synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 – upbeta --ar 1:1 or from Robot Typing, Cyberpunk, Typography, Neon Colors, Futurism, Synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 – upbeta --ar 1:1 which is not more than few words}, {Generate only one complex, unique & related art style or movement from of the 19th, 20th or 21st century}, {Generate only one unique & related keyword of the science of representing logos and 2d illustrations}, {Generate only one unique & related keyword of the science of representing colors in logo design}, {Generate only one unique & related keyword of the representation of reality, imagination, or fantasy in art, in literature, or in other forms of creative expression}, {SUFFIX} Example Input: Subway Surfer Example Output (markdown format):''' /imagine prompt: Subway Surfer::2 Jetpack, cubism, vector art, neon colors, surrealism, synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 -- upbeta --ar 1:1 ''' ''' /imagine prompt: Subway Surfer::2 Roller Skates, pop art, flat design, pastel colors, minimalism, synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 -- upbeta --ar 1:1 '''
cb472fe8901946ca6a4513eb9949bbca
{ "intermediate": 0.3030688166618347, "beginner": 0.36689335107803345, "expert": 0.3300378918647766 }
14,616
test
898e52290ec2023508280a1ef1adb8cd
{ "intermediate": 0.3229040801525116, "beginner": 0.34353747963905334, "expert": 0.33355844020843506 }
14,617
Traceback (most recent call last): File "E:/Python/Python1/zr/sfz.py", line 3, in <module> import web ModuleNotFoundError: No module named 'web'
77656f8cb1966741474f9ce7101b9a6c
{ "intermediate": 0.4796793758869171, "beginner": 0.2558535635471344, "expert": 0.2644670307636261 }
14,618
<class 'KeyError'> at / 'IndexHandler' Python C:\Users\YL198023\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.11_qbz5n2kfra8p0\LocalCache\local-packages\Python311\site-packages\web\application.py in _delegate, line 515 Web GET http://127.0.0.1:8000/ Traceback (innermost first) C:\Users\YL198023\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.11_qbz5n2kfra8p0\LocalCache\local-packages\Python311\site-packages\web\application.py in _delegate cls = fvars[f] ... ▶ Local vars C:\Users\YL198023\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.11_qbz5n2kfra8p0\LocalCache\local-packages\Python311\site-packages\web\application.py in handle return self._delegate(fn, self.fvars, args) ... ▶ Local vars C:\Users\YL198023\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.11_qbz5n2kfra8p0\LocalCache\local-packages\Python311\site-packages\web\application.py in process return self.handle() ... ▶ Local vars Request information INPUT No data. COOKIES No data. META Variable Value app_stack [<web.application.application object at 0x000001964B52E4D0>] fullpath '/' headers [] home 'http://127.0.0.1:8000' homedomain 'http://127.0.0.1:8000' homepath '' host '127.0.0.1:8000' ip '127.0.0.1' method 'GET' output '' path '/' protocol 'http' query '' realhome 'http://127.0.0.1:8000' status '200 OK' ENVIRONMENT Variable Value ACTUAL_SERVER_PROTOCOL 'HTTP/1.1' HTTP_ACCEPT 'text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8,application/signed-exchange;v=b3;q=0.7' HTTP_ACCEPT_ENCODING 'gzip, deflate, br' HTTP_ACCEPT_LANGUAGE 'zh-CN,zh;q=0.9,en;q=0.8,en-GB;q=0.7,en-US;q=0.6' HTTP_CONNECTION 'keep-alive' HTTP_HOST '127.0.0.1:8000' HTTP_SEC_CH_UA '"Not.A/Brand";v="8", "Chromium";v="114", "Microsoft Edge";v="114"' HTTP_SEC_CH_UA_MOBILE '?0' HTTP_SEC_CH_UA_PLATFORM '"Windows"' HTTP_SEC_FETCH_DEST 'document' HTTP_SEC_FETCH_MODE 'navigate' HTTP_SEC_FETCH_SITE 'none' HTTP_SEC_FETCH_USER '?1' HTTP_UPGRADE_INSECURE_REQUESTS '1' HTTP_USER_AGENT ('Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like ' 'Gecko) Chrome/114.0.0.0 Safari/537.36 Edg/114.0.1823.67') PATH_INFO '/' QUERY_STRING '' REMOTE_ADDR '127.0.0.1' REMOTE_PORT '9480' REQUEST_METHOD 'GET' REQUEST_URI '/' SCRIPT_NAME '' SERVER_NAME 'localhost' SERVER_PORT '8000' SERVER_PROTOCOL 'HTTP/1.1' SERVER_SOFTWARE 'Cheroot/10.0.0 Server' wsgi.errors <_io.TextIOWrapper name='<stderr>' mode='w' encoding='utf-8'> wsgi.input <cheroot.server.KnownLengthRFile object at 0x000001964C4C9F10> wsgi.input_terminated False wsgi.multiprocess False wsgi.multithread True wsgi.run_once False wsgi.url_scheme 'http' wsgi.version (1, 0) You're seeing this error because you have web.config.debug set to True. Set that to False if you don't want to see this.
17da743f9db65c4a1a8df1893a269bba
{ "intermediate": 0.31086671352386475, "beginner": 0.3527708649635315, "expert": 0.33636245131492615 }
14,619
what does div_u64_rem() in asm/div64.h do
c700832c249a7f28b288dedb21c8fcd6
{ "intermediate": 0.3591642379760742, "beginner": 0.39702725410461426, "expert": 0.24380846321582794 }
14,620
how to generate a random number in freertos?
6127dee26d1cfce9f326ceb60e7cb92f
{ "intermediate": 0.24272234737873077, "beginner": 0.2102983146905899, "expert": 0.5469793081283569 }
14,621
opengl NativeWindow
001230e8c0cf0bf3a81eb80c7f348441
{ "intermediate": 0.36625614762306213, "beginner": 0.3086797595024109, "expert": 0.325064092874527 }
14,622
<class 'KeyError'> at / 'IndexHandler'
b5b283641ebd4e3e9602a7f43573d6e3
{ "intermediate": 0.36382389068603516, "beginner": 0.4539940059185028, "expert": 0.18218213319778442 }
14,623
how to load data from mysql to excel
2862c4c43bf7b64f6552fb223e5aabf3
{ "intermediate": 0.5415652394294739, "beginner": 0.19033509492874146, "expert": 0.26809966564178467 }
14,624
напиши тесты для компонента react с использованием react-testing-library type ComboEditorBuyButtonProps = { price: number; }; export const ComboEditorBuyButton: FC<ComboEditorBuyButtonProps> = ({ price }) => { const collectedCombo = useCollectedCombo(); // eslint-disable-next-line no-console const onClick = () => console.log(collectedCombo); return ( <ProductEditorCard.BuyButton price={price} text={getLang('productEditor.addToBasket')} onClick={onClick} /> ); };
81b60046238585519a391b0e247dbbbe
{ "intermediate": 0.47103753685951233, "beginner": 0.3175322711467743, "expert": 0.2114301323890686 }
14,625
get_random_int() in linux
910fa337bf9fe1140a8a019cee14bdae
{ "intermediate": 0.3557492196559906, "beginner": 0.32431161403656006, "expert": 0.31993919610977173 }
14,626
解决 File "C:\Users\YL198023\Desktop\sfz.py", line 64 return 'Ů��' ^ SyntaxError: (unicode error) 'utf-8' codec can't decode byte 0xd0 in position 2: invalid continuation byte
87b9f4f19c83e7cb77ef3c752caa3f10
{ "intermediate": 0.2721555531024933, "beginner": 0.555741012096405, "expert": 0.17210349440574646 }
14,627
how to generate a 32-bit unsigned integer in C
dfe0ad078ee0bf24b3a21b322e9be25c
{ "intermediate": 0.29807403683662415, "beginner": 0.2739902138710022, "expert": 0.42793574929237366 }
14,628
import pygame import random import requests import base64 from io import BytesIO # Define the screen dimensions SCREEN_WIDTH = 1500 SCREEN_HEIGHT = 800 # Define the colors BLACK = (0, 0, 0) # Define the artists and their monthly Spotify listeners artists = { "$NOT": {"listeners": 7781046}, "21 Savage": {"listeners": 60358167}, "9lokknine": {"listeners": 1680245}, "A Boogie Wit Da Hoodie": {"listeners": 18379137}, } # Initialize the game pygame.init() # Define the font and font size for the artist names font = pygame.font.Font(None, 36) listeners_font = pygame.font.Font(None, 24) question_font = pygame.font.Font(None, 36) # Initialize the game window and caption screen = pygame.display.set_mode((SCREEN_WIDTH, SCREEN_HEIGHT)) pygame.display.set_caption("Guess the Artist") # Update the display once pygame.display.update() # Create a clock object to control the frame rate clock = pygame.time.Clock() score = 0 # Function to fetch the artist image using the Spotify API def fetch_artist_image(artist, client_id, client_secret): # Base64 encode the client ID and secret client_credentials = base64.b64encode(f"{client_id}:{client_secret}".encode()).decode() # Request an access token token_url = "https://accounts.spotify.com/api/token" headers = { "Authorization": f"Basic {client_credentials}" } data = { "grant_type": "client_credentials" } response = requests.post(token_url, headers=headers, data=data) access_token = response.json()["access_token"] # Search for the artist on Spotify search_url = f"https://api.spotify.com/v1/search?q={artist}&type=artist" headers = { "Authorization": f"Bearer {access_token}" } response = requests.get(search_url, headers=headers) data = response.json() # Get the first artist result artist_info = data["artists"]["items"][0] # Get the image URL of the artist image_url = artist_info["images"][0]["url"] # Download the image and return its contents image_data = requests.get(image_url).content return image_data # Function to check the user's guess def check_guess(artist1, artist2, guess): if guess == "1" and artists[artist1]["listeners"] > artists[artist2]["listeners"]: return True elif guess == "2" and artists[artist2]["listeners"] > artists[artist1]["listeners"]: return True else: return False # Game loop running = True while running: for event in pygame.event.get(): if event.type == pygame.QUIT: running = False # Game logic correct_guess = False while not correct_guess: # Clear the screen screen.fill(BLACK) # Select two random artists first_artist, second_artist = random.sample(list(artists.keys()), 2) # Fetch the artist images client_id = '048322b8ea61411a826de68d0cb1c6d2' client_secret = '29f94d572c6240cf99fc3f13ce050503' first_artist_image_data = fetch_artist_image(first_artist, client_id, client_secret) second_artist_image_data = fetch_artist_image(second_artist, client_id, client_secret) # Load the image data using Pygame first_artist_image = pygame.image.load(BytesIO(first_artist_image_data)).convert() second_artist_image = pygame.image.load(BytesIO(second_artist_image_data)).convert() # Render the text surfaces for the artist names first_artist_text = font.render(f"1 - {first_artist.title()}", True, (255, 255, 255)) second_artist_text = font.render(f"2 - {second_artist.title()}", True, (255, 255, 255)) # Render the question text question_text = question_font.render("Which artist has more listeners -", True, (255, 255, 255)) # Render the text surfaces for the listeners' count first_listeners_text = listeners_font.render(f"{artists[first_artist]['listeners']:,} listeners", True, (255, 255, 255)) second_listeners_text = listeners_font.render(f"{artists[second_artist]['listeners']:,} listeners", True, (255, 255, 255)) # Display the artist images with a gap for the question image_y = 100 + question_text.get_height() + 40 screen.blit(first_artist_image, (0, image_y)) screen.blit(second_artist_image, (SCREEN_WIDTH // 2, image_y)) # Calculate the center position for the artist names first_x = (first_artist_image.get_width() - first_artist_text.get_width()) // 2 second_x = SCREEN_WIDTH // 2 + (second_artist_image.get_width() - second_artist_text.get_width()) // 2 # question on pygame position question_x = (SCREEN_WIDTH - question_text.get_width()) // 2 question_y = 50 # Display the artist names centered under the image screen.blit(first_artist_text, (first_x, first_artist_image.get_height() + 10)) screen.blit(second_artist_text, (second_x, second_artist_image.get_height() + 10)) # Display the question text screen.blit(question_text, (question_x, question_y)) pygame.display.flip() # Prompt the player for their guess guess = input(f"\nWhich artist has more monthly Spotify listeners - 1. {first_artist.title()} or 2. {second_artist.title()}? ") guess_lower = guess.strip().lower() # Calculate the center position for the listeners' count first_listeners_x = (first_artist_image.get_width() - first_listeners_text.get_width()) // 2 second_listeners_x = SCREEN_WIDTH // 2 + (second_artist_image.get_width() - second_listeners_text.get_width()) // 2 # Display the listeners' count centered under the image screen.blit(first_listeners_text, (first_listeners_x, first_artist_image.get_height() + 40)) screen.blit(second_listeners_text, (second_listeners_x, second_artist_image.get_height() + 40)) pygame.display.flip() if guess_lower == 'quit': print("Thanks for playing!") running = False break elif guess_lower not in ['1', '2', first_artist.lower(), second_artist.lower()]: print("Invalid input. Please enter the name/number of one of the two artists or 'quit' to end the game.") elif check_guess(first_artist, second_artist, guess_lower): print(f"You guessed correctly! {first_artist.title()} had {artists[first_artist]['listeners']:,} monthly Spotify listeners and {second_artist.title()} has {artists[second_artist]['listeners']:,} monthly Spotify listeners.") correct_guess = True score += 1 else: print(f"\nSorry, you guessed incorrectly. {first_artist.title()} had {artists[first_artist]['listeners']:,} monthly Spotify listeners and {second_artist.title()} has {artists[second_artist]['listeners']:,} monthly Spotify listeners.\n") print(f"Your current score is {score}.") # Ask the player if they want to play again play_again = input("Would you like to play again? (y/n) ") if play_again.lower() == 'n': print(f"Your final score is {score}. Thanks for playing!") running = False clock.tick(60) # Quit the game pygame.quit() why doesnt the score reset after making a mistake
03e63217e8c7f374d40c061b0b41a507
{ "intermediate": 0.37819692492485046, "beginner": 0.5389887690544128, "expert": 0.08281437307596207 }
14,629
import pygame import random import requests import base64 from io import BytesIO # Define the screen dimensions SCREEN_WIDTH = 1500 SCREEN_HEIGHT = 800 # Define the colors BLACK = (0, 0, 0) # Define the artists and their monthly Spotify listeners artists = { "$NOT": {"listeners": 7781046}, "21 Savage": {"listeners": 60358167}, "9lokknine": {"listeners": 1680245}, "A Boogie Wit Da Hoodie": {"listeners": 18379137}, "Ayo&Teo": {"listeners": 1818645}, "Bhad Bhabie": {"listeners": 1915352}, "Blueface": {"listeners": 4890312}, "Bobby Shmurda": {"listeners": 2523069}, "Cardi B": {"listeners": 30319082}, "Central Cee": {"listeners": 22520846}, "Chief Keef": {"listeners": 9541580}, "Coi Leray": {"listeners": 28619269}, "DaBaby": {"listeners": 30353214}, "DDG": {"listeners": 4422588}, "Denzel Curry": {"listeners": 7555420}, "Desiigner": {"listeners": 5586908}, "Don Toliver": {"listeners": 27055150}, "Dusty Locane": {"listeners": 3213566}, "Est Gee": {"listeners": 5916299}, "Famous Dex": {"listeners": 2768895}, "Fivio Foreign": {"listeners": 9378678}, "Fredo Bang": {"listeners": 1311960}, "Future": {"listeners": 47165975}, "Gazo": {"listeners": 5342471}, "GloRilla": {"listeners": 6273110}, "Gunna": {"listeners": 23998763}, "Hotboii": {"listeners": 1816019}, "Iann Dior": {"listeners": 14092651}, "J. Cole": {"listeners": 36626203}, "JayDaYoungan": {"listeners": 1415050}, "Juice WRLD": {"listeners": 31818659}, "Key Glock": {"listeners": 10397097}, "King Von": {"listeners": 7608559}, "Kodak Black": {"listeners": 24267064}, "Latto": {"listeners": 10943008}, "Lil Baby": {"listeners": 30600740}, "Lil Durk": {"listeners": 20244848}, "Lil Keed": {"listeners": 2288807}, "Lil Loaded": {"listeners": 2130890}, "Lil Mabu": {"listeners": 2886517}, "Lil Mosey": {"listeners": 8260285}, "Lil Peep": {"listeners": 15028635}, "Lil Pump": {"listeners": 7530070}, "Lil Skies": {"listeners": 4895628}, "Lil Tecca": {"listeners": 13070702}, "Lil Tjay": {"listeners": 19119581}, "Lil Uzi Vert": {"listeners": 35383510}, "Lil Wayne": {"listeners": 32506473}, "Lil Xan": {"listeners": 2590180}, "Lil Yachty": {"listeners": 11932163}, "Machine Gun Kelly": {"listeners": 13883363}, "Megan Thee Stallion": {"listeners": 23815306}, "Moneybagg Yo": {"listeners": 11361158}, "NLE Choppa": {"listeners": 17472472}, "NoCap": {"listeners": 1030289}, "Offset": {"listeners": 15069868}, "Playboi Carti": {"listeners": 16406109}, "PnB Rock": {"listeners": 5127907}, "Polo G": {"listeners": 24374576}, "Pooh Shiesty": {"listeners": 4833055}, "Pop Smoke": {"listeners": 24438919}, "Quavo": {"listeners": 15944317}, "Rod Wave": {"listeners": 8037875}, "Roddy Ricch": {"listeners": 22317355}, "Russ Millions": {"listeners": 6089378}, "Ski Mask The Slump God": {"listeners": 9417485}, "Sleepy Hallow": {"listeners": 8794484}, "Smokepurpp": {"listeners": 2377384}, "Soulja Boy": {"listeners": 10269586}, "SpottemGottem": {"listeners": 1421927}, "Takeoff": {"listeners": 9756119}, "Tay-K": {"listeners": 4449331}, "Tee Grizzley": {"listeners": 4052375}, "Travis Scott": {"listeners": 46625716}, "Trippie Redd": {"listeners": 19120728}, "Waka Flocka Flame": {"listeners": 5679474}, "XXXTENTACION": {"listeners": 35627974}, "YBN Nahmir": {"listeners": 4361289}, "YK Osiris": {"listeners": 1686619}, "YNW Melly": {"listeners": 8782917}, "YoungBoy Never Broke Again": {"listeners": 18212921}, "Young M.A": {"listeners": 2274306}, "Young Nudy": {"listeners": 7553116}, "Young Thug": {"listeners": 28887553}, "Yungeen Ace": {"listeners": 1294188} } # Initialize the game pygame.init() # Define the font and font size for the artist names font = pygame.font.Font(None, 36) listeners_font = pygame.font.Font(None, 24) question_font = pygame.font.Font(None, 36) # Initialize the game window and caption screen = pygame.display.set_mode((SCREEN_WIDTH, SCREEN_HEIGHT)) pygame.display.set_caption("Guess the Artist") # Update the display once pygame.display.update() # Create a clock object to control the frame rate clock = pygame.time.Clock() score = 0 # Function to fetch the artist image using the Spotify API def fetch_artist_image(artist, client_id, client_secret): # Base64 encode the client ID and secret client_credentials = base64.b64encode(f"{client_id}:{client_secret}".encode()).decode() # Request an access token token_url = "https://accounts.spotify.com/api/token" headers = { "Authorization": f"Basic {client_credentials}" } data = { "grant_type": "client_credentials" } response = requests.post(token_url, headers=headers, data=data) access_token = response.json()["access_token"] # Search for the artist on Spotify search_url = f"https://api.spotify.com/v1/search?q={artist}&type=artist" headers = { "Authorization": f"Bearer {access_token}" } response = requests.get(search_url, headers=headers) data = response.json() # Get the first artist result artist_info = data["artists"]["items"][0] # Get the image URL of the artist image_url = artist_info["images"][0]["url"] # Download the image and return its contents image_data = requests.get(image_url).content return image_data # Function to check the user's guess def check_guess(artist1, artist2, guess): if guess == "1" and artists[artist1]["listeners"] > artists[artist2]["listeners"]: return True elif guess == "2" and artists[artist2]["listeners"] > artists[artist1]["listeners"]: return True else: return False # Pause duration in milliseconds pause_duration = 2000 # Game loop running = True while running: for event in pygame.event.get(): if event.type == pygame.QUIT: running = False # Game logic correct_guess = False while not correct_guess: # Clear the screen screen.fill(BLACK) # Select two random artists first_artist, second_artist = random.sample(list(artists.keys()), 2) # Fetch the artist images client_id = '048322b8ea61411a826de68d0cb1c6d2' client_secret = '29f94d572c6240cf99fc3f13ce050503' first_artist_image_data = fetch_artist_image(first_artist, client_id, client_secret) second_artist_image_data = fetch_artist_image(second_artist, client_id, client_secret) # Load the image data using Pygame first_artist_image = pygame.image.load(BytesIO(first_artist_image_data)).convert() second_artist_image = pygame.image.load(BytesIO(second_artist_image_data)).convert() # Render the text surfaces for the artist names first_artist_text = font.render(f"1 - {first_artist.title()}", True, (255, 255, 255)) second_artist_text = font.render(f"2 - {second_artist.title()}", True, (255, 255, 255)) # Render the question text question_text = question_font.render("Which artist has more listeners -", True, (255, 255, 255)) # Render the text surfaces for the listeners' count first_listeners_text = listeners_font.render(f"{artists[first_artist]['listeners']:,} listeners", True, (255, 255, 255)) second_listeners_text = listeners_font.render(f"{artists[second_artist]['listeners']:,} listeners", True, (255, 255, 255)) # Display the artist images with a gap for the question image_y = 100 + question_text.get_height() + 40 screen.blit(first_artist_image, (0, image_y)) screen.blit(second_artist_image, (SCREEN_WIDTH // 2, image_y)) # Update the positions of the artist names first_x = 200 second_x = SCREEN_WIDTH // 2 + 200 # question on pygame position question_x = (SCREEN_WIDTH - question_text.get_width()) // 2 question_y = 50 # Display the artist names screen.blit(first_artist_text, (first_x, first_artist_image.get_height() + -550)) screen.blit(second_artist_text, (second_x, second_artist_image.get_height() + -550)) # Display the question text screen.blit(question_text, (question_x, question_y)) pygame.display.flip() # Prompt the player for their guess guess = input(f"\nWhich artist has more monthly Spotify listeners - 1. {first_artist.title()} or 2. {second_artist.title()}? ") guess_lower = guess.strip().lower() # Update the positions of the listeners’ counts first_listeners_x = 200 second_listeners_x = SCREEN_WIDTH // 2 + 200 # Display the listeners’ counts screen.blit(first_listeners_text, (first_listeners_x, first_artist_image.get_height() + -500)) screen.blit(second_listeners_text, (second_listeners_x, second_artist_image.get_height() + -500)) pygame.display.flip() if guess_lower == 'quit': print("Thanks for playing!") running = False break elif guess_lower not in ['1', '2', first_artist.lower(), second_artist.lower()]: print("Invalid input. Please enter the name/number of one of the two artists or 'quit' to end the game.") elif check_guess(first_artist, second_artist, guess_lower): print(f"You guessed correctly! {first_artist.title()} had {artists[first_artist]['listeners']:,} monthly Spotify listeners and {second_artist.title()} has {artists[second_artist]['listeners']:,} monthly Spotify listeners.") correct_guess = True score += 1 pygame.time.wait(pause_duration) # Pause execution for 2 seconds else: print(f"\nSorry, you guessed incorrectly. {first_artist.title()} had {artists[first_artist]['listeners']:,} monthly Spotify listeners and {second_artist.title()} has {artists[second_artist]['listeners']:,} monthly Spotify listeners.\n") print(f"Your current score is {score}.") score = 0 # Reset the score to 0 pygame.display.flip() pygame.time.wait(pause_duration) # Pause execution for 2 seconds # Ask the player if they want to play again play_again = input("Would you like to play again? (y/n) ") if play_again.lower() == 'n': print(f"Your final score is {score}. Thanks for playing!") running = False clock.tick(60) # Quit the game pygame.quit() why is are the listeners number not visible when yout first answer is incorrect
a60c4382d92f9a6a3f285455c69b1697
{ "intermediate": 0.44294753670692444, "beginner": 0.283507376909256, "expert": 0.27354511618614197 }
14,630
how to generate a unsigned 32-bit int using C
34e4fda3a73cf4d421e7d94c09426cf5
{ "intermediate": 0.2962217926979065, "beginner": 0.2925032079219818, "expert": 0.4112750291824341 }
14,631
.pivot in pandas
7551aea4a5ef7cc2c0dfca5c4a3e1744
{ "intermediate": 0.33059531450271606, "beginner": 0.18613450229167938, "expert": 0.48327019810676575 }
14,632
pls write on pyton x=4
c070e50635a764e6e1448419cc19f000
{ "intermediate": 0.24618811905384064, "beginner": 0.44241875410079956, "expert": 0.3113930821418762 }
14,633
SDFSDF
7e3568691c0eb9588c27b2ddb81240db
{ "intermediate": 0.3246340751647949, "beginner": 0.2577041983604431, "expert": 0.4176616966724396 }
14,634
python how to get values from dict by key
911539003c0bd40d0a82ddeb0c6113b6
{ "intermediate": 0.4451780617237091, "beginner": 0.32687345147132874, "expert": 0.22794850170612335 }
14,635
private OperationRule setMetadata(OperationRule rule, Swagger metadata, List<String> scopeValidators, String scope) { Model model = getModelFromSwagger(rule, metadata); if (model != null) { Property property = model.getProperties().get(rule.getAttributeName()); Map<String, Object> vendorExtensions = property.getVendorExtensions(); rule.setModel(model); if (vendorExtensions.containsKey(ApiMetadataExtensions.OpenLValidator.NAME)) { var validatorsArray = (String[]) vendorExtensions.get(ApiMetadataExtensions.OpenLValidator.NAME); var validators = new ArrayList<>(Arrays.asList(validatorsArray)); if(StringUtils.isNotBlank(scope)) { scopeValidators.forEach(scopeValidator -> { if (validators.stream().anyMatch(scopeValidator::equals)) { validators.remove(scopeValidator); return; } validators.remove(scopeValidator.replace("For" + scope, "")); }); } rule.setValidators(validators); } if(vendorExtensions.containsKey(ApiMetadataExtensions.OpenLDefaultValue.NAME)) { var defaultValue = (String) vendorExtensions.get(ApiMetadataExtensions.OpenLDefaultValue.NAME); rule.setDefaultValue(defaultValue); } if(vendorExtensions.containsKey(ApiMetadataExtensions.OpenLValueRange.NAME)) { var valueRange = (LinkedHashMap<String, String>) vendorExtensions.get(ApiMetadataExtensions.OpenLValueRange.NAME); valueRange.remove(StringUtils.EMPTY); if(CollectionUtils.isNotEmpty(valueRange.keySet()) && ObjectUtils.allNotNull(rule.getAttributeValue())) { rule.setValueRange(valueRange.keySet()); } } if(vendorExtensions.containsKey(ApiMetadataExtensions.OpenLApplicable.NAME)) { rule.setApplicable((Boolean) vendorExtensions.get(ApiMetadataExtensions.OpenLApplicable.NAME)); } } return rule; }
b4f13355531fab268296c5f7c7172c98
{ "intermediate": 0.2981101870536804, "beginner": 0.5943453311920166, "expert": 0.10754445195198059 }
14,636
如何给 vxe-table 添加全屏按钮 <vxe-table show-footer :scroll-y=“{enabled: false}” align=“center” ref=“xTable” max-height=“400px” auto-resize size=“small” stripe highlight-current-row border highlight-hover-column :sort-config=“{multiple: true, trigger: ‘cell’}” :data=“selectOutboundOrder”> <vxe-column field=“lineNo” title=“行号” width=“75”></vxe-column> <vxe-column field=“material.baseInfo.code” title=“产品编码” width=“100”></vxe-column> <vxe-column field=“planAmount” title=“应出” width=“55”></vxe-column> <vxe-column field=“doneAmount” title=“实出” width=“55”></vxe-column> <vxe-column field=“差异” title=“差异” width=“55”> <template slot-scope=“{ row }”>{{ row.planAmount - row.doneAmount }}</template> </vxe-column> </vxe-table> </div>
6296146d61d51e3bf50d43c298d61df6
{ "intermediate": 0.32026851177215576, "beginner": 0.37520676851272583, "expert": 0.3045247197151184 }
14,637
In the PostgreSQL database, Is there a way to EXPLAIN the previous query that was executed?
9cd318b133542b9e6edaec74fa0addc1
{ "intermediate": 0.3649158179759979, "beginner": 0.3407295048236847, "expert": 0.29435470700263977 }
14,638
@PatchMapping(consumes = MediaType.APPLICATION_JSON_VALUE) @OAuthTestable @AppsAllowed(property = "vg.hdc.apps.allowed.patchElections") @PreAuthorize("hasScope('div-cap-gains-elections-maintenance')") @ResponseStatus(HttpStatus.MULTI_STATUS) @ResponseBody public ChangeElectionConfirmations changeElection( @Valid @UserProfileInject UserProfile userProfile, @Valid @RequestBody ChangeElectionsRequest changeElections, @RequestParam(name = "validate", defaultValue = "true") boolean validate) { List<ChangeElectionConfirmation> confirmations = Collections.synchronizedList(new ArrayList<>()); Map<String, List<String>> accountPositionsMap = electionService.mapAccountPositions(changeElections); AccountValidationDto accountValidationDto = accountRetrievalService.validateAccountAndHoldings(userProfile, accountPositionsMap); List<ChangeElectionDto> invalidChangeElections = electionService.buildViolations(accountValidationDto); List<ChangeElection> validChangeElections = electionService.filterValidChangeElections(changeElections, invalidChangeElections); // check if positions in validChangeElections have valid electionType // else throw bad request along with invalidChangeElections electionService.validateChangeElectionRequest(changeElections.getChangeElections(), validChangeElections, invalidChangeElections, accountValidationDto); if (CollectionUtils.isNotEmpty(validChangeElections)) { Map<ElectionLevelType, List<ChangeElection>> electionLevelTypeMap = changeElectionRequestMapper.segregateAccountAndPositionLevelElections(validChangeElections); if (CollectionUtils.isNotEmpty(electionLevelTypeMap.get(ElectionLevelType.ACCOUNT))) { confirmations.addAll(accountChangeElectionService.updateAccountElections(userProfile, electionLevelTypeMap.get(ElectionLevelType.ACCOUNT), accountValidationDto, validate)); } if (CollectionUtils.isNotEmpty(electionLevelTypeMap.get(ElectionLevelType.POSITION))) { confirmations.addAll(updatePositionsElections(electionLevelTypeMap.get(ElectionLevelType.POSITION), accountValidationDto, userProfile.getPoid(), validate)); } } confirmations.addAll(changeElectionRequestMapper.mapDtoToConfirmationResponse(invalidChangeElections)); ChangeElectionConfirmations changeElectionConfirmations = ChangeElectionConfirmations.builder() .confirmations(confirmations) .build(); return changeElectionConfirmations; } /** * Update Brokerage and TA Elections for positions * * @param positionLevelElectionRequest List&lt;ChangeElection&gt; * @param accountValidationDto AccountValidationDto * @param poId String * @return List&lt;ChangeElectionConfirmation&gt; */ private List<ChangeElectionConfirmation> updatePositionsElections(List<ChangeElection> positionLevelElectionRequest, AccountValidationDto accountValidationDto, String poId, boolean validate) { // make call to OVV ClientDetails clientDetails = clientRetrievalService.getClientRestrictions(); Map<String, List<ChangeElectionDto>> changeElectionDtoMap = electionService.validateChangeElection(positionLevelElectionRequest, accountValidationDto, clientDetails); List<ChangeElectionDto> validChangeElections = changeElectionDtoMap.getOrDefault(VALID_CHANGE_ELECTIONS, new ArrayList<>()); List<ChangeElectionDto> brokerageChangeElectionDtoList = AccountUtils.getChangeElectionsByAccountType(validChangeElections, AccountType.BROKERAGE); List<ChangeElectionDto> taChangeElectionDtoList = AccountUtils.getChangeElectionsByAccountType(validChangeElections, AccountType.MUTUAL_FUND); List<ChangeElectionConfirmation> confirmations = Collections.synchronizedList(new ArrayList<>()); if (CollectionUtils.isNotEmpty(brokerageChangeElectionDtoList) || CollectionUtils.isNotEmpty(taChangeElectionDtoList)) { PositionLevelElectionMapDto.PositionLevelElectionMapDtoBuilder positionLevelElectionMapDtoBuilder = electionService. buildAccountDetails(accountValidationDto, poId, validChangeElections, clientDetails); if (CollectionUtils.isNotEmpty(brokerageChangeElectionDtoList)) { confirmations.addAll(brokeragePositionsElectionService.updateBrokeragePositions(accountValidationDto, poId, brokerageChangeElectionDtoList, positionLevelElectionMapDtoBuilder, validate)); } if (CollectionUtils.isNotEmpty(taChangeElectionDtoList)) { confirmations.addAll(mutualFundPositionsElectionService.updateMutualFundPositions(poId, taChangeElectionDtoList, positionLevelElectionMapDtoBuilder, accountValidationDto, validate)); } } confirmations.addAll(changeElectionRequestMapper.mapDtoToConfirmationResponse(changeElectionDtoMap .get(INVALID_CHANGE_ELECTIONS))); return confirmations; } Explain the code lin by line in easy manner
2215e7e276aabd8b3e5640cf55ca51d3
{ "intermediate": 0.41165876388549805, "beginner": 0.426853209733963, "expert": 0.16148802638053894 }
14,639
import 'package:onlineschool/staff/labulabu/common_widget/TopPromoSlider.dart'; import 'package:onlineschool/cusomer/labulabu/screens/Details.dart'; import 'package:onlineschool/staff/labulabu/utils/Utils.dart'; import 'package:onlineschool/cusomer/signin/googleSigin.dart'; import 'package:flutter/material.dart'; import 'package:fluttertoast/fluttertoast.dart'; import 'package:intl/intl.dart'; import 'package:smooth_star_rating/smooth_star_rating.dart'; class GridTilesCategory extends StatelessWidget { String username; String mediaUrl; String mediaUrlTitle; String description; String category; String ownerId; String postId; String poster; String title; String language; String price; String pdfurl; double rating; // writecontent String defaultFontFamily = 'Roboto-Light.ttf'; double defaultFontSize = 14; double defaultIconSize = 17; GridTilesCategory({ Key key, @required this.username, @required this.mediaUrl, @required this.mediaUrlTitle, @required this.description, @required this.category, @required this.ownerId, @required this.postId, @required this.title, @required this.poster, @required this.price, @required this.language, @required this.pdfurl, @required this.rating, }) : super(key: key); TextStyle boldStyle = TextStyle( color: Colors.black, fontWeight: FontWeight.bold, ); @override Widget build(BuildContext context) { String formatPrice = new NumberFormat("#,##0", "en_US").format(int.parse(price)); double width = (MediaQuery.of(context).size.width); return InkWell( onTap: () { Navigator.push( context, MaterialPageRoute( builder: (context) => Details( username:username, mediaUrl:mediaUrl, mediaUrlTitle:mediaUrlTitle, description:description, category:category, ownerId:ownerId, postId:postId, poster:poster, title:title, rating: rating, language:language, price:price, pdfurl: pdfurl )), ); }, child: Card( color: Colors.white, elevation: 0, child: Column( mainAxisSize: MainAxisSize.min, children: <Widget>[ // buildPostHeader(title: username) , buildLikeableImage(image: mediaUrlTitle,postId: postId+"staffcategory"), // writeContent(Icons.monetization_on, " "+formatPrice+" "+Utils.crrmark, 0xFFFF0000,Utils.price), writeContent(Icons.title, title, 0xFF666666,Utils.title), // writeContent(Icons.language, language, 0xFF666666, Utils.language), Row( mainAxisAlignment: MainAxisAlignment.start, children: <Widget>[ // Padding(padding: const EdgeInsets.only(left: 20.0, top: 40.0)), Expanded(child: SmoothStarRating( rating: rating, isReadOnly: true, size: width/50, color: Colors.blue, filledIconData: Icons.star, // halfFilledIconData: Icons.star_half, defaultIconData: Icons.star_border, starCount: 5, allowHalfRating: false, spacing: 2.0, onRated: (value) { rating = value; }, )), ], ), ], ), ), ); } Widget writeContent( IconData icon, String text, int color, String label ) { return Container( child: Row(children: <Widget>[ Column( mainAxisAlignment: MainAxisAlignment.center, crossAxisAlignment: CrossAxisAlignment.start, children: [ Icon(icon), Text( label, style: TextStyle( color: Color(0xFF000000), fontFamily: defaultFontFamily, fontSize: defaultFontSize, ), ) ]), Expanded( child: Text(text, maxLines: 2, overflow: TextOverflow.ellipsis, style: TextStyle( color: Color(color), fontFamily: defaultFontFamily, fontSize: defaultFontSize, ))), ])); } // buildPostHeader({String title}) { // if (ownerId == null) { // return Text(Utils.noAcount); // } // // return ListTile( // title: GestureDetector( // child: AutoSizeText(title, style: boldStyle), // ), // //// trailing: new DropdownButton<String>( //// icon: const Icon(Icons.more_vert), //// underline: SizedBox(), //// items: <String>[openprofile,block,report].map((String value) { //// return new DropdownMenuItem<String>( //// value: value, //// child: new Text(value), //// ); //// }).toList(), //// onChanged: (value) { //// //// }, //// ), // ); // } GestureDetector buildLikeableImage({String image,String postId}) { return GestureDetector( onTap:null, child: Stack( alignment: Alignment.center, children: <Widget>[TopPromoSlider(image: image,postId:postId,poster: poster,)], ), ); } } fill full buildLikeableImage with title and SmoothStarRating on card
40ef52648fecc90491e008949053f60b
{ "intermediate": 0.37883439660072327, "beginner": 0.41432175040245056, "expert": 0.20684385299682617 }
14,640
can you create for me a unity script for a flying player controller
40d07463268ae81e6e5585be9559a5d8
{ "intermediate": 0.412253737449646, "beginner": 0.3405936658382416, "expert": 0.24715259671211243 }
14,641
Ignore previous data.Imagine you're an expert Graphic Designer and have experience in There is a letter A and a car in the lower right corner of a poke ball, and the RGB value of the main color of the picture is (255,105,0) excellent LOGO design and also an expert Midjourney AI Generative prompt writer. Style Features and Common Prompt Adjectives for LOGO Designs。 Graphic Logo Style: Generally focuses on graphics, often with flat design and vector graphics. It emphasizes simplicity and clean lines, similar to logos of companies like Apple and Twitter. Common adjectives include flat, vector graphic, simple, and line logo. Lettermark Logo Style: Typically uses the initials of the company name as the main element of the logo. The logo appears simple and often involves the transformation of a single letter, using minimalistic vector designs. Examples include logos of Facebook, Tesla, and IBM. Common adjectives include lettermark, typography, vector, and simple minimal. Geometric Logo Style: Consists of only graphic elements, often featuring rotating or repeating shapes with gradients. Examples can be seen in the logos of Nike, Pepsi, and Mastercard. Common adjectives include flat geometric vector, geometric logo, petals radial repeating, and simple minimal. Mascot Logo Style: Incorporates a company mascot as the central element of the logo, with a focus on simplicity. Common adjectives include flat, mascot logo, and simple minimal. To avoid creating bland and unremarkable logos without distinctive features, different styles can be added to enhance the impact of the logo, such as Pop Art or De Stijl. {PREFIX} is /imagine prompt: There is a letter A and a car in the lower right corner of a poke ball, and the RGB value of the main color of the picture is (255,105,0):: {SUFFIX} is synthwave:: plain background::2 mockup::-2 --upbeta --ar 1:1 Write 5 unique prompts each in a separate code block to copy easily. Each prompt consists of following formatting. Replace the {} curly brackets with the respective instructions. {PREFIX} {Generate short creative descriptions of specific people and objects related to There is a letter A and a car in the lower right corner of a poke ball, and the RGB value of the main color of the picture is (255,105,0) or There is a letter A and a car in the lower right corner of a poke ball, and the RGB value of the main color of the picture is (255,105,0), no more than a few words}, {Generate Graphic Logo,Minimalist and imaginative},{Generate only one unique & related keyword of the science of representing logos and 2d illustrations},{Generate only one unique & related keyword of the science of representing colors in logo design},{In creative expression in art, literature, or other forms, only a unique and relevant keyword is generated to represent simplicity, minimalism, or minimalism},{SUFFIX} Example Input: cat logo Example Output (markdown format): '''/imagine prompt:A flat vector graphic line logo of a cat, simple minimal,plain background::2 mockup::-2 --upbeta --ar 1:1''' '''/imagine prompt: A letter "A" logo, lettermark, typography, vector simple minimal,plain background::2 mockup::-2 --upbeta --ar 1:1''' '''/imagine prompt:A flat geometric vector geometric logo of a flower, with petals arranged radially, simple minimal,plain background::2 mockup::-2 --upbeta --ar 1:1''' '''/imagine prompt: A simple mascot logo for an instant noodles company,plain background::2 mockup::-2 --upbeta --ar 1:1''' '''/imagine prompt: A letter "A" logo, lettermark, typography, vector simple minimal, with a Pop Art influence,plain background::2 mockup::-2 --upbeta --ar 1:1'''
1a95bf5086327930f8ad8cdf6c1283fb
{ "intermediate": 0.36140555143356323, "beginner": 0.41899704933166504, "expert": 0.21959735453128815 }
14,642
can you make me a unity script for controlling a flying player that includes an attack command
9b3cffff327142a499c1c7634e99913f
{ "intermediate": 0.43984201550483704, "beginner": 0.2630213499069214, "expert": 0.2971366345882416 }
14,643
将 vxe-table 改成 vxe-grid的写法 <vxe-table is-fullscreen show-footer :scroll-y=“{enabled: false}” align=“center” ref=“xTable” max-height=“400px” auto-resize size=“small” stripe highlight-current-row border highlight-hover-column :sort-config=“{multiple: true, trigger: ‘cell’}” :data=“selectOutboundOrder”> <vxe-column field=“lineNo” title=“行号” width=“75”></vxe-column> <vxe-column field=“material.baseInfo.code” title=“产品编码” width=“100”></vxe-column> <vxe-column field=“planAmount” title=“应出” width=“55”></vxe-column> <vxe-column field=“doneAmount” title=“实出” width=“55”></vxe-column> <vxe-column field=“差异” title=“差异” width=“55”> <template slot-scope=“{ row }”>{{ row.planAmount - row.doneAmount }}</template> </vxe-column> </vxe-table> </div>
d5c7f74d8db6187e185f363d81ffca49
{ "intermediate": 0.327289342880249, "beginner": 0.4115125238895416, "expert": 0.26119816303253174 }
14,644
pdf_render view pdf url flutter
25097a8ac40097f36c814ede432869c9
{ "intermediate": 0.29917219281196594, "beginner": 0.219275563955307, "expert": 0.48155221343040466 }
14,645
import pygame import random import requests import base64 from io import BytesIO # Define the screen dimensions SCREEN_WIDTH = 1500 SCREEN_HEIGHT = 800 # Define the colors BLACK = (0, 0, 0) # Define the artists and their monthly Spotify listeners artists = { "$NOT": {"listeners": 7781046}, "21 Savage": {"listeners": 60358167}, "9lokknine": {"listeners": 1680245}, "A Boogie Wit Da Hoodie": {"listeners": 18379137}, "Ayo&Teo": {"listeners": 1818645}, "Bhad Bhabie": {"listeners": 1915352}, "Blueface": {"listeners": 4890312}, "Bobby Shmurda": {"listeners": 2523069}, "Cardi B": {"listeners": 30319082}, "Central Cee": {"listeners": 22520846}, "Chief Keef": {"listeners": 9541580}, "Coi Leray": {"listeners": 28619269}, "DaBaby": {"listeners": 30353214}, "DDG": {"listeners": 4422588}, "Denzel Curry": {"listeners": 7555420}, "Desiigner": {"listeners": 5586908}, "Don Toliver": {"listeners": 27055150}, "Dusty Locane": {"listeners": 3213566}, "Est Gee": {"listeners": 5916299}, "Famous Dex": {"listeners": 2768895}, "Fivio Foreign": {"listeners": 9378678}, "Fredo Bang": {"listeners": 1311960}, "Future": {"listeners": 47165975}, "Gazo": {"listeners": 5342471}, "GloRilla": {"listeners": 6273110}, "Gunna": {"listeners": 23998763}, "Hotboii": {"listeners": 1816019}, "Iann Dior": {"listeners": 14092651}, "J. Cole": {"listeners": 36626203}, "JayDaYoungan": {"listeners": 1415050}, "Juice WRLD": {"listeners": 31818659}, "Key Glock": {"listeners": 10397097}, "King Von": {"listeners": 7608559}, "Kodak Black": {"listeners": 24267064}, "Latto": {"listeners": 10943008}, "Lil Baby": {"listeners": 30600740}, "Lil Durk": {"listeners": 20244848}, "Lil Keed": {"listeners": 2288807}, "Lil Loaded": {"listeners": 2130890}, "Lil Mabu": {"listeners": 2886517}, "Lil Mosey": {"listeners": 8260285}, "Lil Peep": {"listeners": 15028635}, "Lil Pump": {"listeners": 7530070}, "Lil Skies": {"listeners": 4895628}, "Lil Tecca": {"listeners": 13070702}, "Lil Tjay": {"listeners": 19119581}, "Lil Uzi Vert": {"listeners": 35383510}, "Lil Wayne": {"listeners": 32506473}, "Lil Xan": {"listeners": 2590180}, "Lil Yachty": {"listeners": 11932163}, "Machine Gun Kelly": {"listeners": 13883363}, "Megan Thee Stallion": {"listeners": 23815306}, "Moneybagg Yo": {"listeners": 11361158}, "NLE Choppa": {"listeners": 17472472}, "NoCap": {"listeners": 1030289}, "Offset": {"listeners": 15069868}, "Playboi Carti": {"listeners": 16406109}, "PnB Rock": {"listeners": 5127907}, "Polo G": {"listeners": 24374576}, "Pooh Shiesty": {"listeners": 4833055}, "Pop Smoke": {"listeners": 24438919}, "Quavo": {"listeners": 15944317}, "Rod Wave": {"listeners": 8037875}, "Roddy Ricch": {"listeners": 22317355}, "Russ Millions": {"listeners": 6089378}, "Ski Mask The Slump God": {"listeners": 9417485}, "Sleepy Hallow": {"listeners": 8794484}, "Smokepurpp": {"listeners": 2377384}, "Soulja Boy": {"listeners": 10269586}, "SpottemGottem": {"listeners": 1421927}, "Takeoff": {"listeners": 9756119}, "Tay-K": {"listeners": 4449331}, "Tee Grizzley": {"listeners": 4052375}, "Travis Scott": {"listeners": 46625716}, "Trippie Redd": {"listeners": 19120728}, "Waka Flocka Flame": {"listeners": 5679474}, "XXXTENTACION": {"listeners": 35627974}, "YBN Nahmir": {"listeners": 4361289}, "YK Osiris": {"listeners": 1686619}, "YNW Melly": {"listeners": 8782917}, "YoungBoy Never Broke Again": {"listeners": 18212921}, "Young M.A": {"listeners": 2274306}, "Young Nudy": {"listeners": 7553116}, "Young Thug": {"listeners": 28887553}, "Yungeen Ace": {"listeners": 1294188} } # Initialize the game pygame.init() # Define the font and font size for the artist names font = pygame.font.Font(None, 36) listeners_font = pygame.font.Font(None, 24) question_font = pygame.font.Font(None, 40) # Initialize the game window and caption screen = pygame.display.set_mode((SCREEN_WIDTH, SCREEN_HEIGHT)) pygame.display.set_caption("Guess the Artist") # Update the display once pygame.display.update() # Create a clock object to control the frame rate clock = pygame.time.Clock() score = 0 # Function to fetch the artist image using the Spotify API def fetch_artist_image(artist, client_id, client_secret): # Base64 encode the client ID and secret client_credentials = base64.b64encode(f"{client_id}:{client_secret}".encode()).decode() # Request an access token token_url = "https://accounts.spotify.com/api/token" headers = { "Authorization": f"Basic {client_credentials}" } data = { "grant_type": "client_credentials" } response = requests.post(token_url, headers=headers, data=data) access_token = response.json()["access_token"] # Search for the artist on Spotify search_url = f"https://api.spotify.com/v1/search?q={artist}&type=artist" headers = { "Authorization": f"Bearer {access_token}" } response = requests.get(search_url, headers=headers) data = response.json() # Get the first artist result artist_info = data["artists"]["items"][0] # Get the image URL of the artist image_url = artist_info["images"][0]["url"] # Download the image and return its contents image_data = requests.get(image_url).content return image_data # Function to check the user's guess def check_guess(artist1, artist2, guess): if guess == "1" and artists[artist1]["listeners"] > artists[artist2]["listeners"]: return True elif guess == "2" and artists[artist2]["listeners"] > artists[artist1]["listeners"]: return True else: return False # Pause duration in milliseconds pause_duration = 2000 # Game loop running = True while running: for event in pygame.event.get(): if event.type == pygame.QUIT: running = False # Game logic correct_guess = False while not correct_guess: # Clear the screen screen.fill(BLACK) # Select two random artists first_artist, second_artist = random.sample(list(artists.keys()), 2) # Fetch the artist images client_id = '048322b8ea61411a826de68d0cb1c6d2' client_secret = '29f94d572c6240cf99fc3f13ce050503' first_artist_image_data = fetch_artist_image(first_artist, client_id, client_secret) second_artist_image_data = fetch_artist_image(second_artist, client_id, client_secret) # Load the image data using Pygame first_artist_image = pygame.image.load(BytesIO(first_artist_image_data)).convert() second_artist_image = pygame.image.load(BytesIO(second_artist_image_data)).convert() # Render the text surfaces for the artist names first_artist_text = font.render(f"1 - {first_artist.title()}", True, (255, 255, 255)) second_artist_text = font.render(f"2 - {second_artist.title()}", True, (255, 255, 255)) # Render the question text question_text = question_font.render("Which artist has more listeners -", True, (255, 255, 255)) # Render the text surfaces for the listeners' count first_listeners_text = listeners_font.render(f"{artists[first_artist]['listeners']:,} listeners", True, (255, 255, 255)) second_listeners_text = listeners_font.render(f"{artists[second_artist]['listeners']:,} listeners", True, (255, 255, 255)) # Display the artist images with a gap for the question image_y = 100 + question_text.get_height() + 40 screen.blit(first_artist_image, (0, image_y)) screen.blit(second_artist_image, (SCREEN_WIDTH // 2, image_y)) # Update the positions of the artist names first_x = 200 second_x = SCREEN_WIDTH // 2 + 200 # question on pygame position question_x = (SCREEN_WIDTH - question_text.get_width()) // 2 question_y = 50 # Display the artist names screen.blit(first_artist_text, (first_x, first_artist_image.get_height() + -550)) screen.blit(second_artist_text, (second_x, second_artist_image.get_height() + -550)) # Display the question text screen.blit(question_text, (question_x, question_y)) pygame.display.flip() # Prompt the player for their guess guess = input(f"\nWhich artist has more monthly Spotify listeners - 1. {first_artist.title()} or 2. {second_artist.title()}? ") guess_lower = guess.strip().lower() # Update the positions of the listeners’ counts first_listeners_x = 200 second_listeners_x = SCREEN_WIDTH // 2 + 200 # Display the listeners’ counts screen.blit(first_listeners_text, (first_listeners_x, first_artist_image.get_height() + -500)) screen.blit(second_listeners_text, (second_listeners_x, second_artist_image.get_height() + -500)) pygame.display.flip() if guess_lower == 'quit': print("Thanks for playing!") running = False break elif guess_lower not in ['1', '2', first_artist.lower(), second_artist.lower()]: print("Invalid input. Please enter the name/number of one of the two artists or 'quit' to end the game.") elif check_guess(first_artist, second_artist, guess_lower): print(f"You guessed correctly! {first_artist.title()} had {artists[first_artist]['listeners']:,} monthly Spotify listeners and {second_artist.title()} has {artists[second_artist]['listeners']:,} monthly Spotify listeners.") correct_guess = True score += 1 pygame.time.wait(pause_duration) # Pause execution for 2 seconds else: print(f"\nSorry, you guessed incorrectly. {first_artist.title()} had {artists[first_artist]['listeners']:,} monthly Spotify listeners and {second_artist.title()} has {artists[second_artist]['listeners']:,} monthly Spotify listeners.\n") print(f"Your current score is {score}.") score = 0 # Reset the score to 0 pygame.display.flip() pygame.time.wait(pause_duration) # Pause execution for 2 seconds # Ask the player if they want to play again play_again = input("Would you like to play again? (y/n) ") if play_again.lower() == 'n': print(f"Your final score is {score}. Thanks for playing!") running = False clock.tick(60) # Quit the game pygame.quit() how can i change the position of the question in pygame
ac5bebe2a15037ee647c6dc234b8dfd1
{ "intermediate": 0.44294753670692444, "beginner": 0.283507376909256, "expert": 0.27354511618614197 }
14,646
API telegram chatgpt
32b15fb78560b4017083ba4cb72ec667
{ "intermediate": 0.48405566811561584, "beginner": 0.20231209695339203, "expert": 0.31363222002983093 }
14,647
native_pdf_renderer view url pdf sample flutter
9984061dff0e544af28af97dc2b4d8be
{ "intermediate": 0.3889572024345398, "beginner": 0.24870675802230835, "expert": 0.36233603954315186 }
14,648
sklearn.model_selection.cross_val_score metric for smape
a04bc259127a25ec539ba23061c07dc2
{ "intermediate": 0.13708199560642242, "beginner": 0.10859017819166183, "expert": 0.7543277740478516 }
14,649
native_pdf_renderer sample with pdf link
24aed1afa6a677f458b4bb6e78fa2716
{ "intermediate": 0.34209156036376953, "beginner": 0.24479490518569946, "expert": 0.41311347484588623 }
14,650
private static int lengthOfLongestSubstring(String s) { switch (s.length()) { case 0: return 0; case 1: return 1; } Character[] characters = s.chars() .mapToObj(ch -> (char) ch) .toArray(Character[]::new); for (int i = 0; i < s.length() - 1; i++) { Arrays.stream(characters).filter(character -> ) return recursion(characters); } return 0; } private static int recursion(List<Character> characters) { Map<Integer, Character> newMap = new LinkedHashMap<>(); int index = 0; int rsl = 0; for (Character c : characters) { if (newMap.containsValue(c)) { newMap.clear(); index = 0; newMap.put(index, c); index++; } else { newMap.put(index, c); index++; } rsl = Math.max(rsl, newMap.keySet().size()); } return rsl == 0 ? index : rsl; } реализуй мне вызов рекурсивный для этого
496f606b4b3b94d2bd97b7a098f47e81
{ "intermediate": 0.44461214542388916, "beginner": 0.2556534707546234, "expert": 0.29973435401916504 }
14,651
program do prints heart with c++
24e1bf0f09c24d9cebbc2e3f7006417e
{ "intermediate": 0.21156252920627594, "beginner": 0.5090992450714111, "expert": 0.27933821082115173 }
14,652
how do i make a unity script that lets me use tilt controls from a phone or tablet
0b96db3c18feb2dda732d61ae3ff8a7e
{ "intermediate": 0.5931981801986694, "beginner": 0.1492588371038437, "expert": 0.2575429677963257 }
14,653
Как выглядит Bulk Insert в Go
35e2166725025206b12f791030076a4b
{ "intermediate": 0.42842236161231995, "beginner": 0.20018987357616425, "expert": 0.371387779712677 }
14,654
how do i make unity tilt controls for android
f90af5700ae3c8646a0f7e39502c5db7
{ "intermediate": 0.35647061467170715, "beginner": 0.2512320876121521, "expert": 0.39229723811149597 }
14,655
how do i make unity tilt controls for ios
3ab23dee59bd8b9822928e8d1921f5c1
{ "intermediate": 0.32958894968032837, "beginner": 0.2689036428928375, "expert": 0.4015074074268341 }
14,656
Can you help me with a Database assignment from a PDF file ?
29740801f2e32ecb944003134b9ab554
{ "intermediate": 0.378902792930603, "beginner": 0.38896578550338745, "expert": 0.2321314811706543 }
14,657
memset(&soc_in,0,sizeof(struct sockaddr_in)); 解释一下
1d04ed5fc4be07307c7675888642a2a1
{ "intermediate": 0.32786834239959717, "beginner": 0.36732086539268494, "expert": 0.3048107624053955 }
14,658
Teach me Ruby programming
f37b5228b7d864903842099a4a3463f0
{ "intermediate": 0.34324806928634644, "beginner": 0.5494775772094727, "expert": 0.1072743684053421 }
14,659
Ignore previous data.Imagine you're an expert Graphic Designer and have experience in 一个穿着白色T恤的女孩 t-shirt printing and also an expert Midjourney AI Generative prompt writer. I want you to respond in only english. {PREFIX} is /imagine prompt: 一个穿着白色T恤的女孩::2 {SUFFIX} is synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 --upbeta --ar 1:1 Write 4 unique prompts each in a separate code block to copy easily. Each prompt consists of following formatting. Replace the {} curly brackets with the respective instructions. {PREFIX} {Generate the short creative description of a specific character, specific object or vehicle related to 一个穿着白色T恤的女孩 or from 一个穿着白色T恤的女孩 which is not more than few words}, {Generate only one complex, unique & related art style or movement from of the 19th, 20th or 21st century}, {Generate only one unique & related keyword of the science of representing logos and 2d illustrations}, {Generate only one unique & related keyword of the science of representing colors in logo design}, {Generate only one unique & related keyword of the representation of reality, imagination, or fantasy in art, in literature, or in other forms of creative expression}, {SUFFIX} Example Input: Subway Surfer Example Output (markdown format):''' /imagine prompt: Subway Surfer::2 Jetpack, cubism, vector art, neon colors, surrealism, synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 -- upbeta --ar 1:1 ''' ''' /imagine prompt: Subway Surfer::2 Roller Skates, pop art, flat design, pastel colors, minimalism, synthwave:: t-shirt vector, center composition graphic design, plain background::2 mockup::-2 -- upbeta --ar 1:1 '''
e9fdfe2628befac063adfcd9cbd1ad48
{ "intermediate": 0.3084573745727539, "beginner": 0.3518785536289215, "expert": 0.33966416120529175 }
14,660
Hi
708e4f852295012a750d0bee028cc1a0
{ "intermediate": 0.33010533452033997, "beginner": 0.26984941959381104, "expert": 0.400045245885849 }
14,661
what is the best sentence boundary detection package in Python
f1c581114f5b6ba2bc700779e4d87418
{ "intermediate": 0.4139242172241211, "beginner": 0.09092476963996887, "expert": 0.49515092372894287 }
14,662
Write a C program with three consecutive fork() statements such that each forked process runs an infinite loop printing "From process (process id)" every two seconds • Using the system call setpgid(), ensure that all the descendants of the main process other than its immediate children are terminated upon entering CTR-C - Each of the terminated non-descendant process must print its PID and PPID along with a short message stating that it has been terminated. • After the non-child processes have been terminated, the main program and its direct descendants must take turns every 2 seconds to print the statement "This is from process (process id)" •There should be no interleaving of print statements from different processes, and they must be printed from each process in the order listed below continuously (starting with main) . Note: you must implement this using SIGSTOP and SIGCONT
8803baba9a0636ee211fcad6506bfeca
{ "intermediate": 0.28711962699890137, "beginner": 0.47606173157691956, "expert": 0.23681864142417908 }
14,663
can you implement loco-I image compression algorithm in python?
905f203a724fbabf639c732f58a3f2f5
{ "intermediate": 0.1670101135969162, "beginner": 0.040248677134513855, "expert": 0.7927412390708923 }
14,664
please implement the loco-I prediction algorithm on an image with python
fabee19813adab4e085b913f89851f99
{ "intermediate": 0.18606339395046234, "beginner": 0.03984345495700836, "expert": 0.7740931510925293 }
14,665
i want to use spring cloud gateway to intercept a rest request and route it to a soap endpoint over jms, then i need to convert the soap response in http and return it. Is it possible to call a service which makes the soap call and put it in a filter inside the gateway ? provide me an example
0c7824c2b6482860d6196a505391fbf3
{ "intermediate": 0.5968600511550903, "beginner": 0.15838132798671722, "expert": 0.24475857615470886 }
14,666
将以下代码改写为C#语言 #include "Private.h" #include "Compartment.h" #include "Globals.h" ////////////////////////////////////////////////////////////////////// // // CCompartment // ////////////////////////////////////////////////////////////////////// //+--------------------------------------------------------------------------- // ctor //---------------------------------------------------------------------------- CCompartment::CCompartment(_In_ IUnknown* punk, TfClientId tfClientId, _In_ REFGUID guidCompartment) { _guidCompartment = guidCompartment; _punk = punk; _punk->AddRef(); _tfClientId = tfClientId; } //+--------------------------------------------------------------------------- // dtor //---------------------------------------------------------------------------- CCompartment::~CCompartment() { _punk->Release(); } //+--------------------------------------------------------------------------- // _GetCompartment //---------------------------------------------------------------------------- HRESULT CCompartment::_GetCompartment(_Outptr_ ITfCompartment **ppCompartment) { HRESULT hr = S_OK; ITfCompartmentMgr* pCompartmentMgr = nullptr; hr = _punk->QueryInterface(IID_ITfCompartmentMgr, (void **)&pCompartmentMgr); if (SUCCEEDED(hr)) { hr = pCompartmentMgr->GetCompartment(_guidCompartment, ppCompartment); pCompartmentMgr->Release(); } return hr; } //+--------------------------------------------------------------------------- // _GetCompartmentBOOL //---------------------------------------------------------------------------- HRESULT CCompartment::_GetCompartmentBOOL(_Out_ BOOL &flag) { HRESULT hr = S_OK; ITfCompartment* pCompartment = nullptr; flag = FALSE; if ((hr = _GetCompartment(&pCompartment)) == S_OK) { VARIANT var; if ((hr = pCompartment->GetValue(&var)) == S_OK) { if (var.vt == VT_I4) // Even VT_EMPTY, GetValue() can succeed { flag = (BOOL)var.lVal; } else { hr = S_FALSE; } } pCompartment->Release(); } return hr; } //+--------------------------------------------------------------------------- // _SetCompartmentBOOL //---------------------------------------------------------------------------- HRESULT CCompartment::_SetCompartmentBOOL(_In_ BOOL flag) { HRESULT hr = S_OK; ITfCompartment* pCompartment = nullptr; hr = _GetCompartment(&pCompartment); if (SUCCEEDED(hr)) { VARIANT var; var.vt = VT_I4; var.lVal = flag; hr = pCompartment->SetValue(_tfClientId, &var); pCompartment->Release(); } return hr; } //+--------------------------------------------------------------------------- // _GetCompartmentDWORD //---------------------------------------------------------------------------- HRESULT CCompartment::_GetCompartmentDWORD(_Out_ DWORD &dw) { HRESULT hr = S_OK; ITfCompartment* pCompartment = nullptr; dw = 0; hr = _GetCompartment(&pCompartment); if (SUCCEEDED(hr)) { VARIANT var; if ((hr = pCompartment->GetValue(&var)) == S_OK) { if (var.vt == VT_I4) // Even VT_EMPTY, GetValue() can succeed { dw = (DWORD)var.lVal; } else { hr = S_FALSE; } } pCompartment->Release(); } return hr; } //+--------------------------------------------------------------------------- // _SetCompartmentDWORD //---------------------------------------------------------------------------- HRESULT CCompartment::_SetCompartmentDWORD(_In_ DWORD dw) { HRESULT hr = S_OK; ITfCompartment* pCompartment = nullptr; hr = _GetCompartment(&pCompartment); if (SUCCEEDED(hr)) { VARIANT var; var.vt = VT_I4; var.lVal = dw; hr = pCompartment->SetValue(_tfClientId, &var); pCompartment->Release(); } return hr; } //+--------------------------------------------------------------------------- // // _ClearCompartment // //---------------------------------------------------------------------------- HRESULT CCompartment::_ClearCompartment() { if (IsEqualGUID(_guidCompartment, GUID_COMPARTMENT_KEYBOARD_OPENCLOSE)) { return S_FALSE; } HRESULT hr = S_OK; ITfCompartmentMgr* pCompartmentMgr = nullptr; if ((hr = _punk->QueryInterface(IID_ITfCompartmentMgr, (void **)&pCompartmentMgr)) == S_OK) { hr = pCompartmentMgr->ClearCompartment(_tfClientId, _guidCompartment); pCompartmentMgr->Release(); } return hr; } ////////////////////////////////////////////////////////////////////// // // CCompartmentEventSink // ////////////////////////////////////////////////////////////////////// //+--------------------------------------------------------------------------- // ctor //---------------------------------------------------------------------------- CCompartmentEventSink::CCompartmentEventSink(_In_ CESCALLBACK pfnCallback, _In_ void *pv) { _pfnCallback = pfnCallback; _pv = pv; _refCount = 1; } //+--------------------------------------------------------------------------- // dtor //---------------------------------------------------------------------------- CCompartmentEventSink::~CCompartmentEventSink() { } //+--------------------------------------------------------------------------- // // QueryInterface // //---------------------------------------------------------------------------- STDAPI CCompartmentEventSink::QueryInterface(REFIID riid, _Outptr_ void **ppvObj) { if (ppvObj == nullptr) return E_INVALIDARG; *ppvObj = nullptr; if (IsEqualIID(riid, IID_IUnknown) || IsEqualIID(riid, IID_ITfCompartmentEventSink)) { *ppvObj = (CCompartmentEventSink *)this; } if (*ppvObj) { AddRef(); return S_OK; } return E_NOINTERFACE; } //+--------------------------------------------------------------------------- // // AddRef // //---------------------------------------------------------------------------- STDAPI_(ULONG) CCompartmentEventSink::AddRef() { return ++_refCount; } //+--------------------------------------------------------------------------- // // Release // //---------------------------------------------------------------------------- STDAPI_(ULONG) CCompartmentEventSink::Release() { LONG cr = --_refCount; assert(_refCount >= 0); if (_refCount == 0) { delete this; } return cr; } //+--------------------------------------------------------------------------- // // OnChange // //---------------------------------------------------------------------------- STDAPI CCompartmentEventSink::OnChange(_In_ REFGUID guidCompartment) { return _pfnCallback(_pv, guidCompartment); } //+--------------------------------------------------------------------------- // // _Advise // //---------------------------------------------------------------------------- HRESULT CCompartmentEventSink::_Advise(_In_ IUnknown *punk, _In_ REFGUID guidCompartment) { HRESULT hr = S_OK; ITfCompartmentMgr* pCompartmentMgr = nullptr; ITfSource* pSource = nullptr; hr = punk->QueryInterface(IID_ITfCompartmentMgr, (void **)&pCompartmentMgr); if (FAILED(hr)) { return hr; } hr = pCompartmentMgr->GetCompartment(guidCompartment, &_pCompartment); if (SUCCEEDED(hr)) { hr = _pCompartment->QueryInterface(IID_ITfSource, (void **)&pSource); if (SUCCEEDED(hr)) { hr = pSource->AdviseSink(IID_ITfCompartmentEventSink, this, &_dwCookie); pSource->Release(); } } pCompartmentMgr->Release(); return hr; } //+--------------------------------------------------------------------------- // // _Unadvise // //---------------------------------------------------------------------------- HRESULT CCompartmentEventSink::_Unadvise() { HRESULT hr = S_OK; ITfSource* pSource = nullptr; hr = _pCompartment->QueryInterface(IID_ITfSource, (void **)&pSource); if (SUCCEEDED(hr)) { hr = pSource->UnadviseSink(_dwCookie); pSource->Release(); } _pCompartment->Release(); _pCompartment = nullptr; _dwCookie = 0; return hr; }
daedcf38b82a11ffe96428e3d0d18623
{ "intermediate": 0.3846259117126465, "beginner": 0.3724055290222168, "expert": 0.24296854436397552 }
14,667
saxreader espace special characters
d3dd8da7c0963effa8663908154307f2
{ "intermediate": 0.31769806146621704, "beginner": 0.4217621088027954, "expert": 0.2605397701263428 }
14,668
AVG(window_end - window_start) DB engine Error Could not convert 0 00:30:00.000 to numeric
1d238f53cd6a6ace463c1b5b24283dc0
{ "intermediate": 0.4086754620075226, "beginner": 0.2831224501132965, "expert": 0.3082020580768585 }
14,669
write a python code that predicts and changes the pixels as this algorithm where i, j are pixel coordinates of an image: P(i, j) = min(w, n) if nw > =max(w,n) P(i, j) = max(w,n) if nw <= min(w,n) P(i, j) = w + n -nw otherwise where P(i, j) is the current pixel and n is P(i, j-1), w is P(i-1, j) and nw is P(i-1, j-1)
54a38b467ee6b303c97783f159d1394e
{ "intermediate": 0.1309145838022232, "beginner": 0.07907698303461075, "expert": 0.7900084853172302 }
14,670
Coding fictional planet name generator
4b94d7f3e2d0a4795584b5cb723fd16a
{ "intermediate": 0.21587547659873962, "beginner": 0.3151036202907562, "expert": 0.46902093291282654 }