row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
19,593
DataFrame.fillna with 'method' is deprecated and will raise in a future version. Use obj.ffill() or obj.bfill() instead. data.fillna(method='bfill', inplace=True) give me example how i should do bfill
ebd6524c9c9dc2edb561ddca5cffc766
{ "intermediate": 0.47586995363235474, "beginner": 0.32679226994514465, "expert": 0.19733776152133942 }
19,594
import React, {useCallback, useEffect, useRef, useState} from "react"; import { init, dispose, Chart, IndicatorFigureStylesCallbackData, Indicator, IndicatorStyle, KLineData, utils, ActionType, Overlay, OverlayEvent, } from "klinecharts"; export const CandleChart = ({ }: CandleChartProps) => { const chart = useRef<Chart|null>(null); const paneId = useRef<string>(""); const [figureId, setFigureId] = useState<string>(""); const ref = useRef<HTMLDivElement>(null); useEffect(() => { chart.current = init(chart-${uniqueId}, {styles: chartStyles(theme, chartLogarithmic)}); return () => dispose(chart-${uniqueId}); }, [uniqueId]); useEffect(() => { if (null !== chart.current) { window.addEventListener("resize", chartResize); } return () => window.removeEventListener("resize", chartResize); }, []); useEffect(() => { chart.current?.applyNewData(candles); }, [candles]); useEffect(() => { if (candles.length === 0) return; chart.current?.subscribeAction(ActionType.OnScroll, onScrollbarPositionChanged); return (() => { chart.current?.unsubscribeAction(ActionType.OnScroll, onScrollbarPositionChanged); }); }, [chart.current, candles]); return (<> <Box ref={ref} id={chart-${uniqueId}} width={!showToolbar ? "calc(100% - 5px)" : "calc(100% - 55px)"} height="100%" position="relative" sx={{borderLeft: theme => 2px solid ${theme.palette.grey[50]}}} > </Box> </>); }; на графике klinecharts есть канвас, где рисуются yAxis, если зажать левой кнопкой мыши и двигать вверх вниз, график сужается и расширяется. Нужно сделать быстрее сужение и расширение в 5 раз. Есть ли такой способ в библиотеке klinecharts ?
c3a118c4a2ee34f1ae4ead49901f35ba
{ "intermediate": 0.4095861315727234, "beginner": 0.38198602199554443, "expert": 0.20842783153057098 }
19,595
write blog around machine learning with description of scikit-learn code
cadbdd62ab0add94610824f529c533d2
{ "intermediate": 0.043503452092409134, "beginner": 0.053054094314575195, "expert": 0.9034425020217896 }
19,596
function deletetype(){ const del = document.querySelectorAll('.deletetype'); const img = document.querySelectorAll('.header-foto'); del.addEventlistener('click' , () =>{ img.classStyle.display = 'none' }) }deletetype() solve a problem in React js
8dd1d75290502f200bab2e481c1ca27f
{ "intermediate": 0.4312572479248047, "beginner": 0.30297571420669556, "expert": 0.265766978263855 }
19,597
I want to create something like this with terraform locals { groups = { "Java" = {} "PHP" = {} "Templates" = {} "Infra" = { "Terraform" = {} "Kubernetes" = {} } } } resource "gitlab_group" "main_group" { name = "client" path = "." description = "Groupe de gestions des projets applicatifs de Caprikorn" visibility_level = "private" parent_id = data.gitlab_group.ekwa_group.id } resource "gitlab_group" "subgroups" { for_each = local.groups name = each.key path = each.key parent_id = gitlab_group.main_group.id } resource "gitlab_group" "subsubgroups" { for_each = { for key, value in local.groups : key => { name = key parent_id = gitlab_group.subgroups[].id } } name = each.key path = each.key } can you fix this expression to enable Terraform group and kubernetes as child of the infra group ? and if the { } is empty, as for the PHP, Java, Template group, then do nothing . Or suggest me a better idea. for_each = { for key, value in local.groups : key => { name = key parent_id = gitlab_group.subgroups[].id } }
75d53efb77b675463a94bf7cb1eaa089
{ "intermediate": 0.6307671070098877, "beginner": 0.2004767507314682, "expert": 0.1687561273574829 }
19,598
What's wrong with the code below:public class Assign1_p2205041 { public class ObjectInDailyLife { private double x; private double y; private double radius; public ObjectInDailyLife(double x, double y, double radius) { this.x = x; this.y = y; this.radius = radius; } public double getX() { return x; } public void setX(double x) { this.x = x; } public double getY() { return y; } public void setY(double y) { this.y = y; } public double getRadius() { return radius; } public void setRadius(double radius) { this.radius = radius; } public double getArea() { return Math.PI * radius * radius; } public boolean contains(double xCoord, double yCoord) { double distance = Math.sqrt(Math.pow(xCoord - x, 2) + Math.pow(yCoord - y, 2)); return distance <= radius; } public static void main(String[] args) { ObjectInDailyLife object = new ObjectInDailyLife(3.0, 4.0, 5.0); System.out.println("Object x-coordinate: " + object.getX()); System.out.println("Object y-coordinate: " + object.getY()); System.out.println("Object radius: " + object.getRadius()); System.out.println("Object area: " + object.getArea()); System.out.println("Does the object contain the point (2, 3)? " + object.contains(2.0, 3.0)); } } }
741839740e40642a5762ac2f975f62db
{ "intermediate": 0.34668952226638794, "beginner": 0.4221118688583374, "expert": 0.23119854927062988 }
19,599
Create a survey style javascript and bootstrap application containing 5 sliders. 4 sliders for questions and answers and 1 slider showing the final numerical result of the sum of the answers. You must add the answers and show the result in a div in the final slider. Slider 1 contains the question: WHICH OF THESE CITIES WOULD YOU LIKE TO TRAVEL TO? And it has 4 possible answers. Answer 1 is a button image worth 5. Answer 2 is a button image worth 10. Answer 3 is a button image worth 5. Answer 4 is a button image worth 10. Pressing the answer button should take you to slider 2. Slider 2 contains the question: WHICH OF THESE COLORS DO YOU IDENTIFY THE MOST? And it has 4 possible answers. Answer 1 is a button image worth 10. Answer 2 is a button image worth 5. Answer 3 is a button image worth 10. Answer 4 is a button image worth 5. Pressing the answer button should take you to slider 3. Slider 3 contains the question: WHAT WORD BEST DEFINES YOUR PERSONALITY? And it has 4 possible answers. Answer 1 is a button image worth 20. Answer 2 is a button image worth 25. Answer 3 is a button image worth 20. Answer 4 is a button image worth 25. By pressing the answer button you should go to slider 4. Slider 4 contains the question: WHICH OF THESE OLFACTORY NOTES DEFINES YOU MOST? And it has 8 possible answers. Answer 1 is a button image worth 30. Answer 2 is a button image worth 50. Answer 3 is a button image worth 70. Answer 4 is a button image worth 90. Answer 5 is a button image worth 110. Answer 6 is a button image worth 130. Answer 7 is a button image worth 150. Answer 8 is a button image worth 170. By pressing the answer button you should go to slider 5. The last slider should contain a div with the result of the sum of all the selected answers and in another div show the result of the condition if it is met: If the sum of the responses results in a value between 60 - 75, it will result inside a div image1.jpg and image2.jpg If the sum of the responses results in a value between 80 - 95, it will result inside an image3 div. If the sum of the responses results in a value between 100 - 115, it will result inside a div image4.jpg and image5.jpg If the sum of the responses results in a value between 120 - 135, it will result inside a div image6.jpg and image7.jpg If the sum of the responses results in a value between 140 - 155, it will result inside a div image8.jpg and image9.jpg If the sum of the responses results in a value between 160 - 175, it will result inside a div image10.jpg and image11.jpg If the sum of the responses results in a value between 180 - 195, it will result inside a div image12.jpg and image13.jpg If the sum of the responses results in a value between 200 - 215, it will result inside a div image14.jpg and image15.jpg It must also contain a button called "start again" that sets the result to 0 and returns to the beginning slider 1.
c751ecd9cf46d13832d206b074b08db2
{ "intermediate": 0.3696063160896301, "beginner": 0.18988847732543945, "expert": 0.44050514698028564 }
19,600
Generate the code of the program that imposes the GDI effect color filter red n C++
e617e54b1cf03dac8ac34226bf2a74dd
{ "intermediate": 0.2792154848575592, "beginner": 0.16792455315589905, "expert": 0.552859902381897 }
19,601
delete folder and all content in python. the folder i am trying to delete is called tmp and is in the same folder as my notebook
92b7bd1701324f9997e21f50b7f26288
{ "intermediate": 0.4291568398475647, "beginner": 0.19617918133735657, "expert": 0.37466394901275635 }
19,602
make a psuedo random number generator in python. dont use any libraries
c90114574dff484326cd799669dbabbd
{ "intermediate": 0.4811924397945404, "beginner": 0.1634099930524826, "expert": 0.35539764165878296 }
19,603
how do i read a txt file into C++?
70aa8b8ea836288b773f858cf195315c
{ "intermediate": 0.5829435586929321, "beginner": 0.16509415209293365, "expert": 0.25196224451065063 }
19,604
need only to hardwrite a JSON header into the following code. here's an example:
2e04bd0481e7787d66574da868c3decc
{ "intermediate": 0.3776949942111969, "beginner": 0.22244200110435486, "expert": 0.39986300468444824 }
19,605
need only to hardwrite a JSON header into the following code. here's an example:
69f9c7fab2e5c08cd37ab591608f4d53
{ "intermediate": 0.3776949942111969, "beginner": 0.22244200110435486, "expert": 0.39986300468444824 }
19,606
need only to hardwrite a JSON header into the following code. here's an example:
066b519c3f16e839f1556443c7e8f453
{ "intermediate": 0.3776949942111969, "beginner": 0.22244200110435486, "expert": 0.39986300468444824 }
19,607
need only to hardwrite a JSON header into the following code. here's an example:
d6d6372ad5e17f100bd3fa7a91a8f251
{ "intermediate": 0.3776949942111969, "beginner": 0.22244200110435486, "expert": 0.39986300468444824 }
19,608
explain me in details this batch code: @echo off setlocal rem Get the current date and time for /f "tokens=1-4 delims=/ " %%a in ('date /t') do ( set "month=%%a" set "day=%%b" set "year=%%c" ) for /f "tokens=1-2 delims=: " %%a in ('time /t') do ( set "hour=%%a" set "minute=%%b" ) rem Remove leading zeros from the hour and minute if "%hour:~0,1%"=="0" set "hour=%hour:~1%" if "%minute:~0,1%"=="0" set "minute=%minute:~1%" rem Rename the file set "filename=your_file_name.ext" ren "%filename%" "%year%%month%%day%_%hour%%minute%_%filename%" endlocal
b992e0ddd639229014ba4c6bb8a49419
{ "intermediate": 0.32366177439689636, "beginner": 0.48360127210617065, "expert": 0.19273702800273895 }
19,609
How do I use data class Blob?
19a0cd87dfc682c7f0b165d82ed9073d
{ "intermediate": 0.5724200010299683, "beginner": 0.17180080711841583, "expert": 0.2557791471481323 }
19,610
Can you please write me the VBA code that will do the following; When any value in range E4:S4 and B10:L10 and G16:T16 is changed, then calculate N9:T11
608ccd505b159339feca4f05e6b6a977
{ "intermediate": 0.25634104013442993, "beginner": 0.2920912504196167, "expert": 0.45156773924827576 }
19,611
Write a program for adding two variable
2131293b3d80b51059047a4dc7214a85
{ "intermediate": 0.28244277834892273, "beginner": 0.31987693905830383, "expert": 0.39768025279045105 }
19,612
need only to hardcode a JSON request header into the following code. here's an example:
9b5f7ff1803a0e071be668112f203a2e
{ "intermediate": 0.44746652245521545, "beginner": 0.21083201467990875, "expert": 0.3417014479637146 }
19,613
need only to hardcode a JSON request header into the following code. here's an example:
1b17eebe0fb9056907cf7fe7262a6edd
{ "intermediate": 0.44746652245521545, "beginner": 0.21083201467990875, "expert": 0.3417014479637146 }
19,614
need only to hardcode a JSON request header into the following code. here's an example:
3abbeac7602b51e0bc6c9f7407a76c30
{ "intermediate": 0.44746652245521545, "beginner": 0.21083201467990875, "expert": 0.3417014479637146 }
19,615
need only to hardcode a JSON request header into the following code. here's an example:
c4a972d6eb0facda9d5a34583647f0d3
{ "intermediate": 0.44746652245521545, "beginner": 0.21083201467990875, "expert": 0.3417014479637146 }
19,616
need only to hardcode a JSON request header into the following code. here's an example:
2d6a8a31ac4b942bc0ce6b739a47fbe6
{ "intermediate": 0.44746652245521545, "beginner": 0.21083201467990875, "expert": 0.3417014479637146 }
19,617
need only to hardcode a JSON request header into the following code. here's an example:
99ef37d8981a10ef132866f10a9e342c
{ "intermediate": 0.44746652245521545, "beginner": 0.21083201467990875, "expert": 0.3417014479637146 }
19,618
something wrong. that text2image AI api backen returning error 400 bad request in response, which states the following " JSON error [ "str type expected: `__root__` in `parameters`" ] 0 "str type expected: `__root__` in `parameters`"". also, in HTML code there's “<input id='inputText2' type='text' value='text' class='input-field inputText2'>” specifically for negative prompt, integrate it as well. can you fix that or output fully fixed javascript.: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const myHeaders = new Headers(); myHeaders.append('Content-Type', 'application/json'); myHeaders.append('Authorization', "Bearer " + modelToken); const requestOptions = { method: 'POST', headers: myHeaders, body: JSON.stringify(data), redirect: 'follow' }; const response = await fetch(modelUrl, requestOptions); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 10000; const result = await response.blob(); return result; } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 10000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 10000); const progress = Math.floor((elapsedTime / timeLeft) * 10000); progressBarFilled.style.width = progress + '%'; } }, 10000); const cacheBuster = new Date().getTime(); const requestData = { key: '', prompt: inputText, negative_prompt: null, width: '512', height: '512', samples: '1', num_inference_steps: '20', seed: null, guidance_scale: 7.5, safety_checker: 'yes', multi_lingual: 'no', panorama: 'no', self_attention: 'no', upscale: 'no', embeddings_model: null, webhook: null, track_id: null }; const requestPayload = { inputs: requestData, cacheBuster }; query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
65c1a12fe0db55495a1b64598eec0a4c
{ "intermediate": 0.43470776081085205, "beginner": 0.3627973198890686, "expert": 0.20249493420124054 }
19,619
Build a service layer calling an API end point using the react language built in Typescript.
1adb66aee5151077aaa8f878a998b57a
{ "intermediate": 0.6336467862129211, "beginner": 0.2023923099040985, "expert": 0.16396091878414154 }
19,620
something wrong. that text2image AI api backen returning error 400 bad request in response, which states the following " JSON error [ "str type expected: `__root__` in `parameters`" ] 0 "str type expected: `__root__` in `parameters`"". also, in HTML code there's “<input id='inputText2' type='text' value='text' class='input-field inputText2'>” specifically for negative prompt, integrate it as well. can you fix that or output fully fixed javascript.: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const myHeaders = new Headers(); myHeaders.append('Content-Type', 'application/json'); myHeaders.append('Authorization', "Bearer " + modelToken); const requestOptions = { method: 'POST', headers: myHeaders, body: JSON.stringify(data), redirect: 'follow' }; const response = await fetch(modelUrl, requestOptions); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 10000; const result = await response.blob(); return result; } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 10000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 10000); const progress = Math.floor((elapsedTime / timeLeft) * 10000); progressBarFilled.style.width = progress + '%'; } }, 10000); const cacheBuster = new Date().getTime(); const requestData = { key: '', prompt: inputText, negative_prompt: null, width: '512', height: '512', samples: '1', num_inference_steps: '20', seed: null, guidance_scale: 7.5, safety_checker: 'yes', multi_lingual: 'no', panorama: 'no', self_attention: 'no', upscale: 'no', embeddings_model: null, webhook: null, track_id: null }; const requestPayload = { inputs: requestData, cacheBuster }; query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
6b8dfb80816b91aabb910baf67458987
{ "intermediate": 0.43470776081085205, "beginner": 0.3627973198890686, "expert": 0.20249493420124054 }
19,621
something wrong. that text2image AI api backen returning error 400 bad request in response, which states the following " JSON error [ "str type expected: `__root__` in `parameters`" ] 0 "str type expected: `__root__` in `parameters`"". also, in HTML code there's “<input id='inputText2' type='text' value='text' class='input-field inputText2'>” specifically for negative prompt, integrate it as well. can you fix that or output fully fixed javascript.: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const myHeaders = new Headers(); myHeaders.append('Content-Type', 'application/json'); myHeaders.append('Authorization', "Bearer " + modelToken); const requestOptions = { method: 'POST', headers: myHeaders, body: JSON.stringify(data), redirect: 'follow' }; const response = await fetch(modelUrl, requestOptions); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 10000; const result = await response.blob(); return result; } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 10000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 10000); const progress = Math.floor((elapsedTime / timeLeft) * 10000); progressBarFilled.style.width = progress + '%'; } }, 10000); const cacheBuster = new Date().getTime(); const requestData = { key: '', prompt: inputText, negative_prompt: null, width: '512', height: '512', samples: '1', num_inference_steps: '20', seed: null, guidance_scale: 7.5, safety_checker: 'yes', multi_lingual: 'no', panorama: 'no', self_attention: 'no', upscale: 'no', embeddings_model: null, webhook: null, track_id: null }; const requestPayload = { inputs: requestData, cacheBuster }; query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
37a29b2d06928f4266aee94abe68cb4e
{ "intermediate": 0.43470776081085205, "beginner": 0.3627973198890686, "expert": 0.20249493420124054 }
19,622
got an error "ReferenceError: requestData is not defined". also, need to attach these "inputText" to actual prompt in JSON, and "inputText2" for actual negative_prompt in JSON request. the idea here is to output images from text2image AI api backend. now try fix everything and not ruin the rest.: const modelUrl = 'https://stablediffusionapi.com/api/v3/text2img'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const myHeaders = new Headers(); myHeaders.append('Content-Type', 'application/json'); myHeaders.append('Authorization', "Bearer " + modelToken); const requestOptions = { method: 'POST', headers: myHeaders, body: JSON.stringify(data), redirect: 'follow' }; const response = await fetch(modelUrl, requestOptions); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 10000; const result = await response.blob(); return result; } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 10000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 10000); const progress = Math.floor((elapsedTime / timeLeft) * 10000); progressBarFilled.style.width = progress + '%'; } }, 10000); const cacheBuster = new Date().getTime(); const inputText2 = document.getElementById('inputText2').value; var myHeaders = new Headers(); myHeaders.append("Content-Type", "application/json"); var raw = JSON.stringify({ "key": "", "prompt": "ultra realistic close up portrait ((beautiful pale cyberpunk female with heavy black eyeliner))", "negative_prompt": null, "width": "512", "height": "512", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": 7.5, "safety_checker": "yes", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "embeddings_model": null, "webhook": null, "track_id": null }); var requestOptions = { method: 'POST', headers: myHeaders, body: raw, redirect: 'follow' }; const requestPayload = { inputs: requestData, cacheBuster }; query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
b5e2acc36996f6c20e90716bb873547b
{ "intermediate": 0.33527302742004395, "beginner": 0.43516775965690613, "expert": 0.22955916821956635 }
19,623
got an error "ReferenceError: requestData is not defined". also, need to attach these "inputText" to actual prompt in JSON, and "inputText2" for actual negative_prompt in JSON request. the idea here is to output images from text2image AI api backend. now try fix everything and not ruin the rest.: const modelUrl = 'https://stablediffusionapi.com/api/v3/text2img'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const myHeaders = new Headers(); myHeaders.append('Content-Type', 'application/json'); myHeaders.append('Authorization', "Bearer " + modelToken); const requestOptions = { method: 'POST', headers: myHeaders, body: JSON.stringify(data), redirect: 'follow' }; const response = await fetch(modelUrl, requestOptions); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 10000; const result = await response.blob(); return result; } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 10000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 10000); const progress = Math.floor((elapsedTime / timeLeft) * 10000); progressBarFilled.style.width = progress + '%'; } }, 10000); const cacheBuster = new Date().getTime(); const inputText2 = document.getElementById('inputText2').value; var myHeaders = new Headers(); myHeaders.append("Content-Type", "application/json"); var raw = JSON.stringify({ "key": "", "prompt": "ultra realistic close up portrait ((beautiful pale cyberpunk female with heavy black eyeliner))", "negative_prompt": null, "width": "512", "height": "512", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": 7.5, "safety_checker": "yes", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "embeddings_model": null, "webhook": null, "track_id": null }); var requestOptions = { method: 'POST', headers: myHeaders, body: raw, redirect: 'follow' }; const requestPayload = { inputs: requestData, cacheBuster }; query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
a23140e3ee81f588df374d82e5d07a37
{ "intermediate": 0.33527302742004395, "beginner": 0.43516775965690613, "expert": 0.22955916821956635 }
19,624
got an error "ReferenceError: requestData is not defined". also, need to attach these "inputText" to actual prompt in JSON, and "inputText2" for actual negative_prompt in JSON request. the idea here is to output images from text2image AI api backend. now try fix everything and not ruin the rest.: const modelUrl = 'https://stablediffusionapi.com/api/v3/text2img'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const myHeaders = new Headers(); myHeaders.append('Content-Type', 'application/json'); myHeaders.append('Authorization', "Bearer " + modelToken); const requestOptions = { method: 'POST', headers: myHeaders, body: JSON.stringify(data), redirect: 'follow' }; const response = await fetch(modelUrl, requestOptions); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 10000; const result = await response.blob(); return result; } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 10000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 10000); const progress = Math.floor((elapsedTime / timeLeft) * 10000); progressBarFilled.style.width = progress + '%'; } }, 10000); const cacheBuster = new Date().getTime(); const inputText2 = document.getElementById('inputText2').value; var myHeaders = new Headers(); myHeaders.append("Content-Type", "application/json"); var raw = JSON.stringify({ "key": "", "prompt": "ultra realistic close up portrait ((beautiful pale cyberpunk female with heavy black eyeliner))", "negative_prompt": null, "width": "512", "height": "512", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": 7.5, "safety_checker": "yes", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "embeddings_model": null, "webhook": null, "track_id": null }); var requestOptions = { method: 'POST', headers: myHeaders, body: raw, redirect: 'follow' }; const requestPayload = { inputs: requestData, cacheBuster }; query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
89b192de66498618857faf741e2ec72f
{ "intermediate": 0.33527302742004395, "beginner": 0.43516775965690613, "expert": 0.22955916821956635 }
19,625
Is it possible to do the following with VBA: In my workbook 'TasksTodayPA' when I activate sheet 'Today' In the same folder, Check the values in workbook 'Schedule Checks ' sheet daily without opening the workbook. Then if; Sheet Daily E4 value is "y" change the value of sheet 'Today'C2 to 'x' Sheet Daily F4 value is "y" change the value of sheet 'Today'C3 to 'x' Sheet Daily G4 value is "y" change the value of sheet 'Today'C4 to 'x' the same condition to be actioned and stopping when Sheet Daily S4 value is "y" change the value of sheet 'Today'C16 to 'x' Then if Sheet Daily E4 value is "d" change the value of sheet 'Today'D2 to 'x' Sheet Daily F4 value is "d" change the value of sheet 'Today'D3 to 'x' Sheet Daily G4 value is "d" change the value of sheet 'Today'D4 to 'x' the same condition to be actioned and stopping when Sheet Daily S4 value is "d" change the value of sheet 'Today'D16 to 'x' Then if Sheet Daily E4 value is "n" change the value of sheet 'Today'E2 to 'x' Sheet Daily F4 value is "n" change the value of sheet 'Today'E3 to 'x' Sheet Daily G4 value is "n" change the value of sheet 'Today'E4 to 'x' the same condition to be actioned and stopping when Sheet Daily S4 value is "n" change the value of sheet 'Today'E16 to 'x'
6739f0d8ab37f5b8e6b75ed3743abca1
{ "intermediate": 0.5075955390930176, "beginner": 0.2008419632911682, "expert": 0.2915624976158142 }
19,626
There is a card game where a random deck of cards is dealt to a specified number of people. 5 total cards are dealt. The winning player is the one who has, in the following order, the high card, the higest pair of cards, the highest 3 of a kind, or the highest 4 of a kind. The deck is a standard 52 card deck and it is shuffled before each hand. Please write a program in python that will iterate through 10 hands and tell me which hand was the winning hand and why. [ ]
0947f335b8fc9b206c44ce4a95228322
{ "intermediate": 0.2979503870010376, "beginner": 0.3258994221687317, "expert": 0.3761501610279083 }
19,627
In my Workbook 'Schedule Checks', the values in sheet 'Daily' range E4:S4 all have the value 'n'. When I run the code below, it appends the value 'x' to the correct column in my workbook 'TasksTodayPA' sheet 'Today', but row 2 to row 8 are empty. The value 'x' is appended at row 9 and stops at row 16. The code should append the value x starting at row 2 and end at row 16. Can you detect and correct the issue in the code below. Sub CheckScheduleChecks() Dim wb As Workbook Dim ws As Worksheet Dim scheduleWb As Workbook Dim scheduleWs As Worksheet Dim lastColumn As Long Dim rng As Range Dim cell As Range Dim todayCol As Long Dim todayStartRow As Long Dim todayEndRow As Long ' Set the workbook and worksheet objects Set wb = ThisWorkbook Set ws = wb.Sheets("Today") todayCol = 3 ' Column C todayStartRow = 2 ' Row 2 todayEndRow = 16 ' Row 16 ' Check if the ‘Schedule Checks' workbook is open On Error Resume Next Set scheduleWb = Workbooks("Schedule Checks.xlsm") On Error GoTo 0 ' If the ‘Schedule Checks' workbook is not open, open it If scheduleWb Is Nothing Then Set scheduleWb = Workbooks.Open(wb.Path & "\Schedule Checks.xlsm") End If ' Set the worksheet object Set scheduleWs = scheduleWb.Sheets("Daily") ' Find the last column in the ‘Daily' sheet lastColumn = scheduleWs.Cells(4, scheduleWs.Columns.Count).End(xlToLeft).Column ' Set the range to check values in the ‘Daily' sheet Set rng = scheduleWs.Range(scheduleWs.Cells(4, 5), scheduleWs.Cells(4, lastColumn)) ' Loop through each cell in the range For Each cell In rng ' Check the value in the corresponding cell in the ‘Daily' sheet Select Case cell.Value Case "y" ' Change the corresponding cell in the ‘Today' sheet to "x" ws.Cells(todayStartRow + (cell.Column - 5), todayCol).Value = "x" Case "d" ' Change the corresponding cell in the ‘Today' sheet to "x" ws.Cells(todayStartRow + (cell.Column - 5), todayCol + 1).Value = "x" Case "n" ' Change the corresponding cell in the ‘Today' sheet to "x" ws.Cells(todayStartRow + (cell.Column - 5), todayCol + 2).Value = "x" End Select ' Check if the last column is reached or the end row is reached If cell.Column = 19 Or todayStartRow + (cell.Column - 5) > todayEndRow Then Exit For End If Next cell ' Close the ‘Schedule Checks' workbook scheduleWb.Close SaveChanges:=False End Sub
944ed0b076b538762b82518ecf134569
{ "intermediate": 0.47577276825904846, "beginner": 0.39436888694763184, "expert": 0.1298583745956421 }
19,628
export declare enum DomPosition { Root = “root”, Main = “main”, YAxis = “yAxis” } export interface Chart { getDom: (paneId?: string, position?: DomPosition) => Nullable<HTMLElement>; getSize: (paneId?: string, position?: DomPosition) => Nullable<Bounding>; setLocale: (locale: string) => void; getLocale: () => string; setStyles: (styles: string | DeepPartial<Styles>) => void; getStyles: () => Styles; setCustomApi: (customApi: Partial<CustomApi>) => void; setPriceVolumePrecision: (pricePrecision: number, volumePrecision: number) => void; getPriceVolumePrecision: () => Precision; setTimezone: (timezone: string) => void; getTimezone: () => string; setOffsetRightDistance: (space: number) => void; getOffsetRightDistance: () => number; setLeftMinVisibleBarCount: (barCount: number) => void; setRightMinVisibleBarCount: (barCount: number) => void; setBarSpace: (space: number) => void; getBarSpace: () => number; getVisibleRange: () => VisibleRange; clearData: () => void; getDataList: () => KLineData[]; applyNewData: (dataList: KLineData[], more?: boolean, callback?: () => void) => void; applyMoreData: (dataList: KLineData[], more?: boolean, callback?: () => void) => void; updateData: (data: KLineData, callback?: () => void) => void; loadMore: (cb: LoadMoreCallback) => void; createIndicator: (value: string | IndicatorCreate, isStack?: boolean, paneOptions?: PaneOptions, callback?: () => void) => Nullable<string>; overrideIndicator: (override: IndicatorCreate, paneId?: string, callback?: () => void) => void; getIndicatorByPaneId: (paneId?: string, name?: string) => Nullable<Indicator> | Nullable<Map<string, Indicator>> | Map<string, Map<string, Indicator>>; removeIndicator: (paneId: string, name?: string) => void; createOverlay: (value: string | OverlayCreate, paneId?: string) => Nullable<string>; getOverlayById: (id: string) => Nullable<Overlay>; overrideOverlay: (override: Partial<OverlayCreate>) => void; removeOverlay: (remove?: string | OverlayRemove) => void; setPaneOptions: (options: PaneOptions) => void; setZoomEnabled: (enabled: boolean) => void; isZoomEnabled: () => boolean; setScrollEnabled: (enabled: boolean) => void; isScrollEnabled: () => boolean; scrollByDistance: (distance: number, animationDuration?: number) => void; scrollToRealTime: (animationDuration?: number) => void; scrollToDataIndex: (dataIndex: number, animationDuration?: number) => void; scrollToTimestamp: (timestamp: number, animationDuration?: number) => void; zoomAtCoordinate: (scale: number, coordinate?: Coordinate, animationDuration?: number) => void; zoomAtDataIndex: (scale: number, dataIndex: number, animationDuration?: number) => void; zoomAtTimestamp: (scale: number, timestamp: number, animationDuration?: number) => void; convertToPixel: (points: Partial<Point> | Array<Partial<Point>>, finder: ConvertFinder) => Partial<Coordinate> | Array<Partial<Coordinate>>; convertFromPixel: (coordinates: Array<Partial<Coordinate>>, finder: ConvertFinder) => Partial<Point> | Array<Partial<Point>>; executeAction: (type: ActionType, data: any) => void; subscribeAction: (type: ActionType, callback: ActionCallback) => void; unsubscribeAction: (type: ActionType, callback?: ActionCallback) => void; getConvertPictureUrl: (includeOverlay?: boolean, type?: string, backgroundColor?: string) => string; resize: () => void; destroy: () => void; } from “klinecharts”; const chart = useRef<Chart|null>(null); const paneId = useRef<string>(“”); chart.current?. нужно добавить сжатие графика к центру по оси Y при отрисовке. график не должен увеличиваться или уменьшаться, график не должен двигаться ни влево ни в право, по оси x он не двигается. График должен двигаться по оси Y
0263610011ccfe0e1e126119b9b5262d
{ "intermediate": 0.3894523084163666, "beginner": 0.40218254923820496, "expert": 0.20836515724658966 }
19,629
hi! i have a function that needs to be written in python, but i want it to fail a certain edge case. would you be able to help me with that?
f4b0ddc4036006f37ae239d1d7f9fcdf
{ "intermediate": 0.3557579219341278, "beginner": 0.3250194787979126, "expert": 0.3192225694656372 }
19,630
how to differentiate between timer 8 and timer 12 interrupts in stm32 ?
86e3886fae7e097f88e35d7cd3e3f8cf
{ "intermediate": 0.34848999977111816, "beginner": 0.24124087393283844, "expert": 0.4102690815925598 }
19,631
create table payments(date date, amount int) insert into payments values ('2023-08-01',500), ('2023-02-01',2000), ('2023-03-01',3000), ('2023-04-01',4000), ('2023-05-01',5000), ('2023-06-01',6000), ('2023-07-01',7000) select date,amount from payments
d0465e2654fcb54e96b46fc886a9f038
{ "intermediate": 0.3743283748626709, "beginner": 0.30283600091934204, "expert": 0.32283565402030945 }
19,632
const embedArr = image_embedding.map((arrStr: string) => { const binaryString = window.atob(arrStr); const uint8arr = new Uint8Array(binaryString.length); for (let i = 0; i < binaryString.length; i++) { uint8arr[i] = binaryString.charCodeAt(i); } const float32Arr = new Float32Array(uint8arr.buffer); return float32Arr; }); const lowResTensor = new Tensor('float32', embedArr[0], [ 1, 256, 64, 64 ]); 这段代码用C++怎么实现
6942a362430fae153c07db56bea4bb1f
{ "intermediate": 0.4135545492172241, "beginner": 0.2722519040107727, "expert": 0.3141935467720032 }
19,633
need to use proper "JSON.stringify" method. fix it: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const response = await fetch(modelUrl, { headers: { Authorization: "Bearer " + modelToken }, method: 'POST', body: JSON.stringify(data) }); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 1000; const result = await response.blob(); return result; } function autoQueueChanged() { clearInterval(generateInterval); const autoQueueActive = document.getElementById('autoQueueCheckbox').checked; if (autoQueueActive) { const interval = parseInt(document.getElementById('intervalInput').value) * 1000; generateInterval = setInterval(generateImage, interval); } } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; const inputText2 = document.getElementById('inputText2').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 1000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 1000); const progress = Math.floor((elapsedTime / timeLeft) * 1000); progressBarFilled.style.width = progress + '%'; } }, 1000); const cacheBuster = new Date().getTime(); const requestPayload = JSON.stringify({ "key": "", "prompt": inputText, "negative_prompt": inputText2, "width": "512", "height": "512", "sampler": "Euler", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": 7.5, "steps": 50, "CFG scale": 7, "Clip skip": 2, "safety_checker": "no", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "webhook": null, "track_id": null, cacheBuster}); query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
9d435e1a9da624690a1fe96e4f123a9b
{ "intermediate": 0.35664835572242737, "beginner": 0.4506400227546692, "expert": 0.19271157681941986 }
19,634
tell me how can i extract string content '<s>' and '{e}' by regualr expression
a38137a377bd7700d55da91b3bba8ee9
{ "intermediate": 0.4167178273200989, "beginner": 0.19621077179908752, "expert": 0.3870714008808136 }
19,635
The following VBA is supposed to check the values in sheet 'Daily' E4:S4. Depending on the values in the range, it should write the value 'x' into sheet 'Today' in either column 'C' or 'D' or 'E', starting from ROW 2 all the way to down to ROW 16. The VBA appears to be writing the values 'x' to the correct column, but it is not writing anything into Row 2 to Row 8. It is only writing the values 'x' into ROW 9 to ROW 16. Sub CheckScheduleChecks() Dim wb As Workbook Dim ws As Worksheet Dim scheduleWb As Workbook Dim scheduleWs As Worksheet Dim lastColumn As Long Dim rng As Range Dim cell As Range Dim todayCol As Long Dim todayStartRow As Long Dim todayEndRow As Long ' Set the workbook and worksheet objects Set wb = ThisWorkbook Set ws = wb.Sheets("Today") todayCol = 3 ' Column C todayStartRow = 2 ' Row 2 todayEndRow = 16 ' Row 16 ' Check if the 'Schedule Checks' workbook is open On Error Resume Next Set scheduleWb = Workbooks("Schedule Checks.xlsm") On Error GoTo 0 ' If the 'Schedule Checks' workbook is not open, open it If scheduleWb Is Nothing Then Set scheduleWb = Workbooks.Open(wb.Path & "\Schedule Checks.xlsm") End If ' Set the worksheet object Set scheduleWs = scheduleWb.Sheets("Daily") ' Find the last column in the 'Daily' sheet lastColumn = scheduleWs.Cells(4, scheduleWs.Columns.Count).End(xlToLeft).Column ' Set the range to check values in the 'Daily' sheet Set rng = scheduleWs.Range(scheduleWs.Cells(4, 5), scheduleWs.Cells(4, lastColumn)) ' Loop through each cell in the range For Each cell In rng ' Check the value in the corresponding cell in the 'Daily' sheet Select Case cell.Value Case "y" ' Change the corresponding cell in the 'Today' sheet to "x" ws.Cells(todayStartRow + (cell.Column - 5), todayCol).Value = "x" Case "d" ' Change the corresponding cell in the 'Today' sheet to "x" ws.Cells(todayStartRow + (cell.Column - 5), todayCol + 1).Value = "x" Case "n" ' Change the corresponding cell in the 'Today' sheet to "x" ws.Cells(todayStartRow + (cell.Column - 5), todayCol + 2).Value = "x" End Select ' Check if the last column is reached or the end row is reached If cell.Column = 19 Or todayStartRow + (cell.Column - 5) > todayEndRow Then Exit For End If Next cell ' Close the 'Schedule Checks' workbook scheduleWb.Close SaveChanges:=False End Sub
d1f949e563345b366ce8aead67bf9fde
{ "intermediate": 0.6259109973907471, "beginner": 0.18058843910694122, "expert": 0.1935005635023117 }
19,636
The code below is not accurate. In sheet ‘Daily’ the range E4:S4 contains 15 cells. In sheet ‘Today’ the ranges C2:C16 and D2:D16 and E2:E16 each contain 15 cells. If the value ‘y’ is found in the first 8 cells of the range E4:S4 of sheet Daily, then the code should only write the value x to the first 8 cells in column C of the sheet Today. If the value ‘d’ is only found in the 10th cell of the range E4:S4 of sheet Daily, then the code should only write the value x to the 10th cell in column D of the sheet Today. If the value ‘n’ is only found in the last 4 cells of the range E4:S4 of sheet Daily, then the code should only write the value x to the last 4 cells in of column E (E13:E16) in the sheet Today. Currently the code is writing the value x to all the cells in column C, D E. Sub CheckScheduleChecks() Dim wb As Workbook Dim ws As Worksheet Dim scheduleWb As Workbook Dim scheduleWs As Worksheet Dim lastColumn As Long Dim rng As Range Dim cell As Range Dim todayCol As Long Dim todayStartRow As Long Dim todayEndRow As Long ’ Set the workbook and worksheet objects Set wb = ThisWorkbook Set ws = wb.Sheets(“Today”) todayCol = 3 ’ Column C todayStartRow = 2 ’ Row 2 todayEndRow = 16 ’ Row 16 ’ Check if the ‘Schedule Checks’ workbook is open On Error Resume Next Set scheduleWb = Workbooks(“Schedule Checks.xlsm”) On Error GoTo 0 ’ If the ‘Schedule Checks’ workbook is not open, open it If scheduleWb Is Nothing Then Set scheduleWb = Workbooks.Open(wb.Path & “\Schedule Checks.xlsm”) End If ’ Set the worksheet object Set scheduleWs = scheduleWb.Sheets(“Daily”) ’ Find the last column in the ‘Daily’ sheet lastColumn = scheduleWs.Cells(4, scheduleWs.Columns.Count).End(xlToLeft).Column ’ Set the range to check values in the ‘Daily’ sheet Set rng = scheduleWs.Range(scheduleWs.Cells(4, 5), scheduleWs.Cells(4, lastColumn)) ’ Loop through each row from 2 to 16 For RowIndex = todayStartRow To todayEndRow ’ Loop through each cell in the range For columnIndex = 5 To lastColumn ’ Check the value in the corresponding cell in the ‘Daily’ sheet Select Case scheduleWs.Cells(4, columnIndex).Value Case “y” Set cell = scheduleWs.Range(scheduleWs.Cells(4, columnIndex), scheduleWs.Cells(todayEndRow, columnIndex)).Find(“y”) If Not cell Is Nothing Then ’ Change the corresponding cell in the ‘Today’ sheet to “x” ws.Cells(RowIndex, todayCol).Value = “x” End If Case “d” Set cell = scheduleWs.Range(scheduleWs.Cells(4, columnIndex), scheduleWs.Cells(todayEndRow, columnIndex)).Find(“d”) If Not cell Is Nothing Then ’ Change the corresponding cell in the ‘Today’ sheet to “x” ws.Cells(RowIndex, todayCol + 1).Value = “x” End If Case “n” Set cell = scheduleWs.Range(scheduleWs.Cells(4, columnIndex), scheduleWs.Cells(todayEndRow, columnIndex)).Find(“n”) If Not cell Is Nothing Then ’ Change the corresponding cell in the ‘Today’ sheet to “x” ws.Cells(RowIndex, todayCol + 2).Value = “x” End If End Select Next columnIndex Next RowIndex ’ Close the ‘Schedule Checks’ workbook scheduleWb.Close SaveChanges:=False End Sub
7fde2e06c8a911f4c59046b21f493996
{ "intermediate": 0.390337735414505, "beginner": 0.40666821599006653, "expert": 0.20299404859542847 }
19,637
looks like this cacheBuster method adding to url doesn't work here, the text2image api returns the same image on the same query. any other ideas how to bust the cache by not including it in actual JSON request header?: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const cacheBuster = new Date().getTime(); const url = modelUrl + '?cacheBuster=' + cacheBuster; const response = await fetch(url, { headers: { "Content-Type": "application/json", // Add the Content-Type header here Authorization: "Bearer " + modelToken }, method: 'POST', body: JSON.stringify(data) }); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 1000; const result = await response.blob(); return result; } function autoQueueChanged() { clearInterval(generateInterval); const autoQueueActive = document.getElementById('autoQueueCheckbox').checked; if (autoQueueActive) { const interval = parseInt(document.getElementById('intervalInput').value) * 1000; generateInterval = setInterval(generateImage, interval); } } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; const inputText2 = document.getElementById('inputText2').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 1000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 1000); const progress = Math.floor((elapsedTime / timeLeft) * 1000); progressBarFilled.style.width = progress + '%'; } }, 1000); const cacheBuster = new Date().getTime(); const requestBody = { "key": null, "prompt": inputText, "negative_prompt": inputText2, "width": "512", "height": "512", "sampler": "Euler", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": "7.5", "steps": "50", "CFG scale": "7", "Clip skip": "2", "safety_checker": "no", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "webhook": null, "track_id": null }; const requestPayload = JSON.stringify(requestBody); query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
30b8f9c45c660cf57ea41f87d4527a04
{ "intermediate": 0.3409154415130615, "beginner": 0.42592689394950867, "expert": 0.2331576645374298 }
19,638
import argparse import cv2 import numpy as np import onnxruntime as ort CLASSES = [...] def detect(model_path, img_path, threshold=0.4): session = ort.InferenceSession(model_path) img = cv2.imread(img_path) img = cv2.resize(img, (608, 608)) img = img / 255.0 img_data = np.array(img, dtype=np.float32) # Add batch axis img_data = np.expand_dims(img_data, axis=0) outputs = session.run(None, {'images': img_data}) class_counts = np.zeros(len(CLASSES)) for output in outputs: # postprocess for i in indices: class_id = int(classes[i]) class_counts[class_id] += 1 with open('tj.txt', 'w') as f: for i, count in enumerate(class_counts): f.write(f'{CLASSES[i]}: {count}\n') return class_counts if __name__ == '__main__': parser = argparse.ArgumentParser() parser.add_argument('--model', type=str, default='YOLOv8x.onnx') parser.add_argument('--image', type=str, default='bus.jpg') args = parser.parse_args() class_counts = detect(args.model, args.image)
6106afa2c72d0272fe7f834ca573482d
{ "intermediate": 0.43351125717163086, "beginner": 0.3392961323261261, "expert": 0.22719255089759827 }
19,639
Define a function called pattern(start, total) that takes two positive integer numbers and prints out a box of two number patterns that are stacked up horizontally. See the example of pattern(5, 8)below. The first number indicates the initial value of the left-pattern. There are five “5”s on the first row. The value decreases down the rows until it becomes 1. The difference between the second number and the first number (i.e., 8-5=3) gives the initial value of the right-pattern. There are three “3”s on the first row. The value increases down the rows. On each row, the left-pattern and the right-pattern is separated by one space
0f51892b57f4f6439159f1939a31f79e
{ "intermediate": 0.2879137694835663, "beginner": 0.4308842718601227, "expert": 0.28120195865631104 }
19,640
looks like this cacheBuster method adding to url doesn't work here, the text2image api returns the same image on the same query. any other ideas how to bust the cache by not including it in actual JSON request header?: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const cacheBuster = new Date().getTime(); const url = modelUrl + '?cacheBuster=' + cacheBuster; const response = await fetch(url, { headers: { "Content-Type": "application/json", // Add the Content-Type header here Authorization: "Bearer " + modelToken }, method: 'POST', body: JSON.stringify(data) }); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 1000; const result = await response.blob(); return result; } function autoQueueChanged() { clearInterval(generateInterval); const autoQueueActive = document.getElementById('autoQueueCheckbox').checked; if (autoQueueActive) { const interval = parseInt(document.getElementById('intervalInput').value) * 1000; generateInterval = setInterval(generateImage, interval); } } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; const inputText2 = document.getElementById('inputText2').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 1000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 1000); const progress = Math.floor((elapsedTime / timeLeft) * 1000); progressBarFilled.style.width = progress + '%'; } }, 1000); const cacheBuster = new Date().getTime(); const requestBody = { "key": null, "prompt": inputText, "negative_prompt": inputText2, "width": "512", "height": "512", "sampler": "Euler", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": "7.5", "steps": "50", "CFG scale": "7", "Clip skip": "2", "safety_checker": "no", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "webhook": null, "track_id": null }; const requestPayload = JSON.stringify(requestBody); query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
2cb3dafb5aad75270706395d201d26d8
{ "intermediate": 0.3409154415130615, "beginner": 0.42592689394950867, "expert": 0.2331576645374298 }
19,641
Упростить xpath путь к данным элементам /html/body/div[1]/div/div[2]/div/div/div[1]/div/div[2]/div/div/div/div[2]/div/div[1]/table/thead/tr/th[2]/div[1]/div/span/i[1] /html/body/div[1]/div/div[2]/div/div/div[1]/div/div[2]/div/div/div/div[2]/div/div[1]/table/thead/tr/th[6]/div[1]/div/span/i[1]
c5c5fa9bdee0ae0c9ea15f4f77c5fd29
{ "intermediate": 0.2878296375274658, "beginner": 0.3767860531806946, "expert": 0.3353842496871948 }
19,642
looks like this cacheBuster method adding to url doesn’t work here, the text2image api returns the same image on the same query. any other ideas how to bust the cache by not including it in actual JSON request header? you can try modifying the request payload by adding a unique identifier . there’s no access to any serversides, forget it! need to do it on client side in my web browser and in code. any other ideas? you can try appending a random query parameter to the URL instead of the timestamp. no, this method also not effectively bust a cache, or simply not at all. any other ideas? you can override this behavior by specifying the Cache-Control header with a value of no-cache in your request. no, this method also not effectively bust a cache, or simply not at all. any other ideas? You can achieve this by appending a unique identifier or timestamp to the URL itself instead of using query parameters. well, now it simply doesn’t show any images. any other ideas? you can include a query parameter with a version number or a unique identifier specific to the resource being requested. no, this method also not effectively bust a cache, or simply not at all. any other ideas? you can generate a unique identifier using a hash function or a UUID library. well, url now looks like this "POST https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited?cacheBuster=edb702c61571130d22a70fff7fb494aaa77ee0913f9d53f62f960af03a80a3f4" in http headers, but no, this method also not effectively bust a cache, or simply not at all. any other ideas? : const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } async function query(data) { const dataString = JSON.stringify(data); const uniqueId = await generateUniqueId(dataString); // Implement a function to generate a unique identifier const url = modelUrl + '?cacheBuster=' + uniqueId; // Function to generate a unique identifier using SHA-256 function generateUniqueId(data) { const encoder = new TextEncoder(); const dataBuffer = encoder.encode(data); return crypto.subtle.digest('SHA-256', dataBuffer) .then(hashBuffer => { const hashArray = Array.from(new Uint8Array(hashBuffer)); const hashHex = hashArray.map(byte => byte.toString(16).padStart(2, '0')).join(''); return hashHex; }); } const response = await fetch(url, { headers: { "Content-Type": "application/json", // Add the Content-Type header here Authorization: "Bearer " + modelToken, "Cache-Control": "no-cache" }, method: 'POST', body: JSON.stringify(data) }); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 1000; const result = await response.blob(); return result; } function autoQueueChanged() { clearInterval(generateInterval); const autoQueueActive = document.getElementById('autoQueueCheckbox').checked; if (autoQueueActive) { const interval = parseInt(document.getElementById('intervalInput').value) * 1000; generateInterval = setInterval(generateImage, interval); } } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; const inputText2 = document.getElementById('inputText2').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 1000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 1000); const progress = Math.floor((elapsedTime / timeLeft) * 1000); progressBarFilled.style.width = progress + '%'; } }, 1000); const cacheBuster = new Date().getTime(); const requestBody = { "key": null, "prompt": inputText, "negative_prompt": inputText2, "width": "512", "height": "512", "sampler": "Euler", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": "7.5", "steps": "50", "CFG scale": "7", "Clip skip": "2", "safety_checker": "no", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "webhook": null, "track_id": null }; const requestPayload = JSON.stringify(requestBody); query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
6a54eeba95a085b0342ad2abd4763e5d
{ "intermediate": 0.3342514932155609, "beginner": 0.5249965190887451, "expert": 0.14075195789337158 }
19,643
import { route } from 'quasar/wrappers' import { createRouter, createMemoryHistory, createWebHistory, createWebHashHistory } from 'vue-router' import routes from './routes' import { getCurrentInstance } from 'vue' /* * If not building with SSR mode, you can * directly export the Router instantiation; * * The function below can be async too; either use * async/await or return a Promise which resolves * with the Router instance. */ export default route(function (/* { stores, ssrContext } */) { const createHistory = process.env.SERVER ? createMemoryHistory : (process.env.VUE_ROUTER_MODE === 'history' ? createWebHistory : createWebHashHistory) const Router = createRouter({ scrollBehavior: () => ({ left: 0, top: 0 }), routes, // Leave this as is and make changes in quasar.conf.js instead! // quasar.conf.js -> build -> vueRouterMode // quasar.conf.js -> build -> publicPath history: createHistory(process.env.VUE_ROUTER_BASE) }) Router.beforeEach((to, from, next) => { // 如果要访问的路径不是登录页,且用户未登录,则重定向到登录页 if (to.meta.rrequiresAuth) { const keycloak = getCurrentInstance().appContext.config.globalProperties.$keycloak; console.log("qqq",keycloak) next("/"); } else { next(); } }); return Router }) 为什么我在index.js里面拿不到全局的keycloak
ee0c3de48397d8476bf9863a61c9b0a2
{ "intermediate": 0.5194530487060547, "beginner": 0.3396671712398529, "expert": 0.1408797949552536 }
19,644
now it will be nice to actually encode these text messages in prompt and negative prompt that being sent through text inputs to that text2image AI backend in a base64 format. any ideas?: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } const generateRandomKey = () => { const randomValues = new Uint32Array(2); crypto.getRandomValues(randomValues); const bigEndian64 = (randomValues[0] * 0x100000000) + randomValues[1]; const key = bigEndian64.toString(36).substring(0, 5); // Modify this to set the desired length return key; }; async function query(data) { const url = modelUrl; const response = await fetch(url, { headers: { "Content-Type": "application/json", // Add the Content-Type header here Authorization: "Bearer " + modelToken }, method: 'POST', body: JSON.stringify(data) }); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 1000; const result = await response.blob(); return result; } function autoQueueChanged() { clearInterval(generateInterval); const autoQueueActive = document.getElementById('autoQueueCheckbox').checked; if (autoQueueActive) { const interval = parseInt(document.getElementById('intervalInput').value) * 1000; generateInterval = setInterval(generateImage, interval); } } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; const inputText2 = document.getElementById('inputText2').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 1000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 1000); const progress = Math.floor((elapsedTime / timeLeft) * 1000); progressBarFilled.style.width = progress + '%'; } }, 1000); const requestBody = { "key": generateRandomKey(), "prompt": inputText, "negative_prompt": inputText2, "width": "512", "height": "512", "sampler": "Euler", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": "7.5", "steps": "50", "CFG scale": "7", "Clip skip": "2", "safety_checker": "no", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "webhook": null, "track_id": null }; const requestPayload = JSON.stringify(requestBody); query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
cf0a8445c9adf8d68f78cd3ee37f61ad
{ "intermediate": 0.3499084711074829, "beginner": 0.42353159189224243, "expert": 0.22655993700027466 }
19,645
now it will be nice to actually encode these text messages in prompt and negative prompt that being sent through text inputs to that text2image AI backend in a base64 format. any ideas?: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } const generateRandomKey = () => { const randomValues = new Uint32Array(2); crypto.getRandomValues(randomValues); const bigEndian64 = (randomValues[0] * 0x100000000) + randomValues[1]; const key = bigEndian64.toString(36).substring(0, 5); // Modify this to set the desired length return key; }; async function query(data) { const url = modelUrl; const response = await fetch(url, { headers: { "Content-Type": "application/json", // Add the Content-Type header here Authorization: "Bearer " + modelToken }, method: 'POST', body: JSON.stringify(data) }); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 1000; const result = await response.blob(); return result; } function autoQueueChanged() { clearInterval(generateInterval); const autoQueueActive = document.getElementById('autoQueueCheckbox').checked; if (autoQueueActive) { const interval = parseInt(document.getElementById('intervalInput').value) * 1000; generateInterval = setInterval(generateImage, interval); } } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; const inputText2 = document.getElementById('inputText2').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 1000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 1000); const progress = Math.floor((elapsedTime / timeLeft) * 1000); progressBarFilled.style.width = progress + '%'; } }, 1000); const requestBody = { "key": generateRandomKey(), "prompt": inputText, "negative_prompt": inputText2, "width": "512", "height": "512", "sampler": "Euler", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": "7.5", "steps": "50", "CFG scale": "7", "Clip skip": "2", "safety_checker": "no", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "webhook": null, "track_id": null }; const requestPayload = JSON.stringify(requestBody); query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
934f25b4b4658face480876fddb58b3a
{ "intermediate": 0.3499084711074829, "beginner": 0.42353159189224243, "expert": 0.22655993700027466 }
19,646
in python, how to arrange a dictionary value in descending order
6118c9f5c6e02956a70c7cf7d35cd145
{ "intermediate": 0.3534407615661621, "beginner": 0.32507866621017456, "expert": 0.3214806318283081 }
19,647
这啥意思:$ git push fatal: You are not currently on a branch. To push the history leading to the current (detached HEAD) state now, use git push origin HEAD:<name-of-remote-branch>
8da118ab239f1bde428d56c3acd231ca
{ "intermediate": 0.3111096918582916, "beginner": 0.3499552607536316, "expert": 0.3389350175857544 }
19,648
now it will be nice to actually encode these text messages in prompt and negative prompt that being sent through text inputs to that text2image AI backend in a base64 format. any ideas?: const modelUrl = 'https://api-inference.huggingface.co/models/hogiahien/counterfeit-v30-edited'; const modelToken = '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'; const progressBarFilled = document.querySelector('.progress-bar-filled'); const imageCanvas = document.getElementById('imageCanvas'); const ctx = imageCanvas.getContext('2d'); let estimatedTime = 0; let isGenerating = false; let generateInterval; const galleryArray = []; const bufferContainer = document.querySelector('.buffer-container'); const container = document.querySelector('.canvas-container'); const canvas = document.getElementById('imageCanvas'); bufferContainer.addEventListener('click', handleImageClick); window.addEventListener('resize', handleResize); document.addEventListener('DOMContentLoaded', function() { handleResize(); generateImage(); }); function handleImageClick(e) { const target = e.target; if (target.tagName === 'IMG') { const fullWindowDiv = document.createElement('div'); const fullWindowImg = document.createElement('img'); fullWindowDiv.style.position = 'fixed'; fullWindowDiv.style.top = '0'; fullWindowDiv.style.left = '0'; fullWindowDiv.style.width = '100%'; fullWindowDiv.style.height = '100%'; fullWindowDiv.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.6), rgba(155, 0, 155, 0.6))'; fullWindowDiv.style.display = 'flex'; fullWindowDiv.style.zIndex = '2'; fullWindowDiv.style.justifyContent = 'center'; fullWindowDiv.style.alignItems = 'center'; fullWindowImg.style.maxHeight = '90vh'; fullWindowImg.style.maxWidth = '90vw'; fullWindowImg.src = target.src; fullWindowDiv.addEventListener('click', function() { document.body.removeChild(fullWindowDiv); }); document.body.appendChild(fullWindowDiv); fullWindowDiv.appendChild(fullWindowImg); } } const generateRandomKey = () => { const randomValues = new Uint32Array(2); crypto.getRandomValues(randomValues); const bigEndian64 = (randomValues[0] * 0x100000000) + randomValues[1]; const key = bigEndian64.toString(36).substring(0, 5); // Modify this to set the desired length return key; }; async function query(data) { const url = modelUrl; const response = await fetch(url, { headers: { "Content-Type": "application/json", // Add the Content-Type header here Authorization: "Bearer " + modelToken }, method: 'POST', body: JSON.stringify(data) }); const headers = response.headers; const estimatedTimeString = headers.get('estimated_time'); estimatedTime = parseFloat(estimatedTimeString) * 1000; const result = await response.blob(); return result; } function autoQueueChanged() { clearInterval(generateInterval); const autoQueueActive = document.getElementById('autoQueueCheckbox').checked; if (autoQueueActive) { const interval = parseInt(document.getElementById('intervalInput').value) * 1000; generateInterval = setInterval(generateImage, interval); } } function generateImage() { if (isGenerating) { return; } isGenerating = true; const inputText = document.getElementById('inputText').value; const inputText2 = document.getElementById('inputText2').value; progressBarFilled.style.width = '0%'; progressBarFilled.style.backgroundColor = 'green'; setTimeout(() => { const startTime = Date.now(); const timeLeft = Math.floor(estimatedTime / 1000); const interval = setInterval(function() { if (isGenerating) { const elapsedTime = Math.floor((Date.now() - startTime) / 1000); const progress = Math.floor((elapsedTime / timeLeft) * 1000); progressBarFilled.style.width = progress + '%'; } }, 1000); const requestBody = { "key": generateRandomKey(), "prompt": inputText, "negative_prompt": inputText2, "width": "512", "height": "512", "sampler": "Euler", "samples": "1", "num_inference_steps": "20", "seed": null, "guidance_scale": "7.5", "steps": "50", "CFG scale": "7", "Clip skip": "2", "safety_checker": "no", "multi_lingual": "no", "panorama": "no", "self_attention": "no", "upscale": "no", "webhook": null, "track_id": null }; const requestPayload = JSON.stringify(requestBody); query(requestPayload) .then(response => { const url = URL.createObjectURL(response); const img = new Image(); img.classList.add('image-preview'); img.src = url; img.onload = function() { galleryArray.push(img); bufferContainer.appendChild(img); const imageWidth = img.naturalWidth; const imageHeight = img.naturalHeight; const aspectRatio = img.width / img.height; const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const minAvailableWidth = containerWidth; const maxAvailableHeight = containerHeight; let canvasWidth = containerWidth; let canvasHeight = maxAvailableHeight; if (aspectRatio > 1) { canvasWidth = containerWidth; canvasHeight = containerWidth / aspectRatio; if (canvasHeight > maxAvailableHeight) { canvasHeight = maxAvailableHeight; canvasWidth = canvasHeight * aspectRatio; } } else { canvasWidth = maxAvailableHeight * aspectRatio; canvasHeight = maxAvailableHeight; if (canvasWidth > containerWidth) { canvasWidth = containerWidth; canvasHeight = canvasWidth / aspectRatio; } } imageCanvas.width = canvasWidth; imageCanvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); }; img.src = url; clearInterval(interval); progressBarFilled.style.width = '100%'; progressBarFilled.style.background = 'linear-gradient(to bottom right, rgba(39, 0, 39, 0.5), rgb(155, 0, 155))'; isGenerating = false; }) .catch(error => { console.error(error); }); }, 10000); } let isResizing = false; function handleResize() { if (isResizing) return; isResizing = true; requestAnimationFrame(() => { generateImage(); const containerWidth = container.clientWidth; const containerHeight = container.clientHeight; const aspectRatio = canvas.width / canvas.height; let canvasWidth = containerWidth; let canvasHeight = containerWidth / aspectRatio; if (canvasHeight > containerHeight) { canvasHeight = containerHeight; canvasWidth = canvasHeight * aspectRatio; } canvas.width = canvasWidth; canvas.height = canvasHeight; ctx.clearRect(0, 0, canvas.width, canvas.height); var bufferContainer = document.querySelector('.buffer-container'); bufferContainer.style.width = '' + canvasWidth + 'px'; galleryArray.forEach(function(image) { if (image.classList.contains('image-canvas')) { // Only resize the .image-preview elements var imageWidth = image.naturalWidth; var imageHeight = image.naturalHeight; var aspectRatio = imageWidth / imageHeight; var canvasImageWidth = canvasWidth; var canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } image.style.width = '' + canvasImageWidth + 'px'; image.style.height = '' + canvasImageHeight + 'px'; } }); galleryArray.forEach((image) => { const imageWidth = image.naturalWidth; const imageHeight = image.naturalHeight; const aspectRatio = imageWidth / imageHeight; let canvasImageWidth = canvasWidth; let canvasImageHeight = canvasWidth / aspectRatio; if (canvasImageHeight > canvasHeight) { canvasImageHeight = canvasHeight; canvasImageWidth = canvasHeight * aspectRatio; } const x = (canvas.width - canvasImageWidth) / 2; const y = (canvas.height - canvasImageHeight) / 2; ctx.drawImage(image, x, y, canvasImageWidth, canvasImageHeight); }); isResizing = false; }); }
2fa2d775a083c4f35cf0aeeb3c7015af
{ "intermediate": 0.3499084711074829, "beginner": 0.42353159189224243, "expert": 0.22655993700027466 }
19,649
filename = open("C:\\Users\\Student\\Desktop\\test.txt", "r") N = int(input("Enter number of lines to be displayed: ")) word = input("Enter word to count its frequency of occurrence in the file: ") linesList = filename.readlines() print("The following are the first", N, "lines of a text file:") for textline in linesList[:N]: print(textline, end='') filename.close() filename = open("C:\\Users\\Student\\Desktop\\test.txt", "r") count = 0 for line in filename: if word in line.split(): count=count+1 print("Frequency of word", word, "is", count) filename.close() the count of words is not executing properly
285bc5e2f24d8c9c04dccff62c8db01a
{ "intermediate": 0.40776872634887695, "beginner": 0.3550466001033783, "expert": 0.23718467354774475 }
19,650
I would like a VBA code that will do the following: In workbook 'TaskTodayPA.xlsm' when the sheet 'Today is activated, read the values of range E4:S4 in sheet 'Daily' from the workbook 'Schedule Checks.xlsm' which is in the same folder as workbook 'TaskTodayPA.xlsm' Then If sheet 'Daily' E4 value is y then sheet 'Today' C2 value should be x If sheet 'Daily' E4 value is d then sheet 'Today' D2 value should be x If sheet 'Daily' E4 value is n then sheet 'Today' E2 value should be x If sheet 'Daily' F4 value is y then sheet 'Today' C3 value should be x If sheet 'Daily' F4 value is d then sheet 'Today' D3 value should be x If sheet 'Daily' F4 value is n then sheet 'Today' E3 value should be x If sheet 'Daily' G4 value is y then sheet 'Today' C4 value should be x If sheet 'Daily' G4 value is d then sheet 'Today' D4 value should be x If sheet 'Daily' G4 value is n then sheet 'Today' E4 value should be x If sheet 'Daily' H4 value is y then sheet 'Today' C5 value should be x If sheet 'Daily' H4 value is d then sheet 'Today' D5 value should be x If sheet 'Daily' H4 value is n then sheet 'Today' E5 value should be x If sheet 'Daily' I4 value is y then sheet 'Today' C6 value should be x If sheet 'Daily' I4 value is d then sheet 'Today' D6 value should be x If sheet 'Daily' I4 value is n then sheet 'Today' E6 value should be x If sheet 'Daily' J4 value is y then sheet 'Today' C7 value should be x If sheet 'Daily' J4 value is d then sheet 'Today' D7 value should be x If sheet 'Daily' J4 value is n then sheet 'Today' E7 value should be x If sheet 'Daily' K4 value is y then sheet 'Today' C8 value should be x If sheet 'Daily' K4 value is d then sheet 'Today' D8 value should be x If sheet 'Daily' K4 value is n then sheet 'Today' E8 value should be x If sheet 'Daily' L4 value is y then sheet 'Today' C9 value should be x If sheet 'Daily' L4 value is d then sheet 'Today' D9 value should be x If sheet 'Daily' L4 value is n then sheet 'Today' E9 value should be x If sheet 'Daily' M4 value is y then sheet 'Today' C10 value should be x If sheet 'Daily' M4 value is d then sheet 'Today' D10 value should be x If sheet 'Daily' M4 value is n then sheet 'Today' E10 value should be x If sheet 'Daily' N4 value is y then sheet 'Today' C11 value should be x If sheet 'Daily' N4 value is d then sheet 'Today' D11 value should be x If sheet 'Daily' N4 value is n then sheet 'Today' E11 value should be x If sheet 'Daily' O4 value is y then sheet 'Today' C12 value should be x If sheet 'Daily' O4 value is d then sheet 'Today' D12 value should be x If sheet 'Daily' O4 value is n then sheet 'Today' E12 value should be x If sheet 'Daily' P4 value is y then sheet 'Today' C13 value should be x If sheet 'Daily' P4 value is d then sheet 'Today' D13 value should be x If sheet 'Daily' P4 value is n then sheet 'Today' E13 value should be x If sheet 'Daily' Q4 value is y then sheet 'Today' C14 value should be x If sheet 'Daily' Q4 value is d then sheet 'Today' D14 value should be x If sheet 'Daily' Q4 value is n then sheet 'Today' E14 value should be x If sheet 'Daily' R4 value is y then sheet 'Today' C15 value should be x If sheet 'Daily' R4 value is d then sheet 'Today' D15 value should be x If sheet 'Daily' R4 value is n then sheet 'Today' E15 value should be x If sheet 'Daily' S4 value is y then sheet 'Today' C16 value should be x If sheet 'Daily' S4 value is d then sheet 'Today' D16 value should be x If sheet 'Daily' S4 value is n then sheet 'Today' E16 value should be x
034ae688f4b9f7594cf6c3a263e93a2b
{ "intermediate": 0.37536901235580444, "beginner": 0.4547898471355438, "expert": 0.16984108090400696 }
19,651
What would make a Maven+Hibernate project have the Java code not detect hibernate.cfg.xml? Is there a place other than main/java/resources and src to put hibernate.cfg.xml?
a029beba57038ac0b8c5f27708130803
{ "intermediate": 0.4741499125957489, "beginner": 0.24726426601409912, "expert": 0.27858585119247437 }
19,652
Please create regex which will replace "    *" into ";" and replace "^    *" into empty string and replace "^;\r\n" into "\r\n"
596ff2ac8b509754de7cf0ac1ffc21f6
{ "intermediate": 0.375191330909729, "beginner": 0.28430646657943726, "expert": 0.34050220251083374 }
19,653
#define JUDGE_MALLOC(type, size, ptr) \ if(NULL == ptr) { \ ptr = (type*)malloc(sizeof(type)*size); \ }else{ \ printf("ota_core_list exited!!! and address:%p\r\n", ptr); \ return -1; \ } 这样写的一段宏定义对吗
9bbc6cc69a0e409c309a6993fe2163d6
{ "intermediate": 0.3848581612110138, "beginner": 0.3450089693069458, "expert": 0.2701328694820404 }
19,654
what about space between value in CSS, can you use it to set margin 1px between two input fields?
679b3cb894eb9657a78db9861a71ee7f
{ "intermediate": 0.3944148123264313, "beginner": 0.36495277285575867, "expert": 0.24063239991664886 }
19,655
服务器端: from socket import * ADDR = ('' , 21567) udpSerSock = socket(AF_INET,SOCK_DGRAM) udpSerSock.bind(ADDR) while True: data, addrc = udpSerSock.recvfrom(1024) udpSerSock.sendto(data+’s’,addrc) udpSerSock.close() 客户机端 from socket import * ADDR = ('localhost', 21567) udpCliSock = socket(AF_INET, SOCK_DGRAM) while True: data = raw_input('> ') udpCliSock.sendto(data, ADDR) data, ADDR = udpCliSock.recvfrom(1024) print data udpCliSock.close() 请修改最少代码,实现两个电脑的连接
f62a4b71ce4e3e3bbf34919e3226f4ad
{ "intermediate": 0.40431949496269226, "beginner": 0.3387719392776489, "expert": 0.2569085359573364 }
19,656
For a range of cells how can I make sure that the value entry is always in lower case
9d66eec0ec13c648ba779c774b71ceef
{ "intermediate": 0.3889716863632202, "beginner": 0.21081367135047913, "expert": 0.40021470189094543 }
19,657
how to check sharepoint's modern page url if file exists in java
682cac6232463ee2f58af95aa37e39fc
{ "intermediate": 0.6832080483436584, "beginner": 0.14768919348716736, "expert": 0.1691027730703354 }
19,658
how do you set in CSS a " --margin-inbetween:2px; " to vertically aligned inputfields?
d2e362c27f41392e7977a2e57b098fe4
{ "intermediate": 0.37311404943466187, "beginner": 0.39991042017936707, "expert": 0.22697557508945465 }
19,659
can you do swirl-like whirlpool gradient for this?:background: radial-gradient(circle at center center, #eba, #579);
41fa3d92e1e576fa8f006ce3e9311ba6
{ "intermediate": 0.2865578532218933, "beginner": 0.19847621023654938, "expert": 0.5149658918380737 }
19,660
how to set spirent port in one point four patterns in spinet5.11
ccbde5b7c640e3278cd70fa325871237
{ "intermediate": 0.34989845752716064, "beginner": 0.2462545931339264, "expert": 0.40384697914123535 }
19,661
привет помоги с рефакторингом это кода на unity public class WeatherScene : MonoBehaviour { [SerializeField] private UniStormSystem uniStormSystem; private WeatherType weatherType; private WeatherTypeData weatherTypeData; public void Initialize(WeatherStorage weatherStorage, SessionData sessionData) { weatherTypeData = sessionData.WeatherTypeData; weatherType = weatherStorage.WeatherPrefabs[weatherTypeData]; StartCoroutine(InitializeUniStorm()); } private IEnumerator InitializeUniStorm() { if (UniStormManager.Instance == null) { yield return new WaitForEndOfFrame(); } UniStormManager.Instance.ChangeWeatherWithTransition(weatherType); if (weatherTypeData == WeatherTypeData.Dark) { UniStormManager.Instance.SetTime(24, 0); } else { UniStormManager.Instance.SetTime(12, 0); } } }
27cb91e54a26d5a104c1d0aae54a6042
{ "intermediate": 0.4092462658882141, "beginner": 0.38213229179382324, "expert": 0.20862144231796265 }
19,662
if ($variant == 'update') { $rows1 = $_POST['rows1']; $rows2 = $_POST['rows2']; $rows3 = $_POST['rows3']; $id1 = $_POST['id1']; $id2 = $_POST['id2']; $id3 = $_POST['id3']; foreach ($rows1 as $k_row1 => $row1) { $sql = "UPDATE W_Zabor_GHK SET GHK= $row1 WHERE id=$k_row1 "; } $ds = sqlsrv_query($conn, codir($sql)); // die(json_encode($rows3)); } Допиши запрос на обновление данных
9471db839497bba8e12bfd94299c3ae8
{ "intermediate": 0.3293251395225525, "beginner": 0.40266352891921997, "expert": 0.26801133155822754 }
19,663
hi
fc50ae35cfdb1805bec57ce6d6bf5e95
{ "intermediate": 0.3246487081050873, "beginner": 0.27135494351387024, "expert": 0.40399640798568726 }
19,664
In javascript, what a promise reject or resolve return ?
61c349115965ce969844792b82ad0eac
{ "intermediate": 0.31202152371406555, "beginner": 0.2858511507511139, "expert": 0.4021272659301758 }
19,665
How do I solve my problem ("WARN: HHH90000028: Support for <hibernate-mappings/> is deprecated [RESOURCE : com/mycompany/hibernatelearningvideos03and04/model/student.hbm.xml]; migrate to orm.xml or mapping.xml, or enable hibernate.transform_hbm_xml.enabled for on the fly transformation")?: 2.4.6. Mapping the entity The main piece in mapping the entity is the jakarta.persistence.Entity annotation. The @Entity annotation defines just the name attribute which is used to give a specific entity name for use in JPQL queries. By default, if the name attribute of the @Entity annotation is missing, the unqualified name of the entity class itself will be used as the entity name. Because the entity name is given by the unqualified name of the class, Hibernate does not allow registering multiple entities with the same name even if the entity classes reside in different packages. Without imposing this restriction, Hibernate would not know which entity class is referenced in a JPQL query if the unqualified entity name is associated with more then one entity classes. In the following example, the entity name (e.g. Book) is given by the unqualified name of the entity class name. Example 129. @Entity mapping with an implicit name @Entity public class Book { @Id private Long id; private String title; private String author; //Getters and setters are omitted for brevity } However, the entity name can also be set explicitly as illustrated by the following example. Example 130. @Entity mapping with an explicit name @Entity(name = “Book”) public static class Book { @Id private Long id; private String title; private String author; //Getters and setters are omitted for brevity } An entity models a database table. The identifier uniquely identifies each row in that table. By default, the name of the table is assumed to be the same as the name of the entity. To explicitly give the name of the table or to specify other information about the table, we would use the jakarta.persistence.Table annotation. Example 131. Simple @Entity with @Table @Entity(name = “Book”) @Table( catalog = “public”, schema = “store”, name = “book” ) public static class Book { @Id private Long id; private String title; private String author; //Getters and setters are omitted for brevity } Mapping the catalog of the associated table Without specifying the catalog of the associated database table a given entity is mapped to, Hibernate will use the default catalog associated with the current database connection. However, if your database hosts multiple catalogs, you can specify the catalog where a given table is located using the catalog attribute of the Jakarta Persistence @Table annotation. Let’s assume we are using MySQL and want to map a Book entity to the book table located in the public catalog which looks as follows. Example 132. The book table located in the public catalog create table public.book ( id bigint not null, author varchar(255), title varchar(255), primary key (id) ) engine=InnoDB Now, to map the Book entity to the book table in the public catalog we can use the catalog attribute of the @Table Jakarta Persistence annotation. Example 133. Specifying the database catalog using the @Table annotation @Entity(name = “Book”) @Table( catalog = “public”, name = “book” ) public static class Book { @Id private Long id; private String title; private String author; //Getters and setters are omitted for brevity } Mapping the schema of the associated table Without specifying the schema of the associated database table a given entity is mapped to, Hibernate will use the default schema associated with the current database connection. However, if your database supports schemas, you can specify the schema where a given table is located using the schema attribute of the Jakarta Persistence @Table annotation. Let’s assume we are using PostgreSQL and want to map a Book entity to the book table located in the library schema which looks as follows. Example 134. The book table located in the library schema create table library.book ( id int8 not null, author varchar(255), title varchar(255), primary key (id) ) Now, to map the Book entity to the book table in the library schema we can use the schema attribute of the @Table Jakarta Persistence annotation. Example 135. Specifying the database schema using the @Table annotation @Entity(name = “Book”) @Table( schema = “library”, name = “book” ) public static class Book { @Id private Long id; private String title; private String author; //Getters and setters are omitted for brevity } The schema attribute of the @Table annotation works only if the underlying database supports schemas (e.g. PostgreSQL). Therefore, if you’re using MySQL or MariaDB, which do not support schemas natively (schemas being just an alias for catalog), you need to use the catalog attribute, and not the schema one. To solve the specific error you mentioned, which is related to the deprecation of <hibernate-mappings/>, you need to migrate your mapping configuration from the XML file (e.g., “student.hbm.xml”) to either orm.xml or mapping.xml. Here are the steps to follow: 1. Create a new XML file (e.g., “student-orm.xml” or “student-mapping.xml”) to replace the deprecated “student.hbm.xml” file. 2. Copy the content of the “student.hbm.xml” file into the new XML file. 3. Open the new XML file and make the necessary changes to update the syntax and element usage according to the updated Hibernate documentation. 4. Update the configuration of your Hibernate SessionFactory to use the new XML file instead of the deprecated “student.hbm.xml”. 5. Build and run your application to ensure that the migration is successful and that the error no longer occurs. For more detailed information on how to map entities using orm.xml or mapping.xml, you can refer to the Hibernate documentation sections: - 2.4.6 “Mapping the entity” - 5.2. Mapping metadata in orm.xml - 5.3. Mapping metadata in mapping.xml These sections will provide you with guidance on how to update your XML mapping configuration to resolve the deprecation warning. The above is from a previous ChatGPT session. Concisely elaborate on the steps.
1844738838a76506e315ffb741a44a0f
{ "intermediate": 0.3909459412097931, "beginner": 0.29028427600860596, "expert": 0.3187698423862457 }
19,666
i am trying to use postman. i have a pre_req that looks like: [ { "id": 1, "edipi": "12345678", "sub": "Noble.Joe.J.12345678" } ] i get this error: { "message": "\"value\" must be an array" }
d12e5692a987fb93a54cc50b5463ab2d
{ "intermediate": 0.5113612413406372, "beginner": 0.33927351236343384, "expert": 0.14936532080173492 }
19,667
from socket import * ADDR1 = ('' , 43256) ADDR2 = ('' , 36789) udpSerSock = socket(AF_INET,SOCK_DGRAM) udpSerSock.bind(ADDR1) udpSerSock.bind(ADDR2) while True: num, addrc = udpSerSock.recvfrom(1024) if num==1: data, ADDR1 = udpSerSock.recvfrom(1024) print data udpSerSock.sendto(1,ADDR2) udpSerSock.sendto(data,ADDR2) if num==1: data, ADDR2 = udpSerSock.recvfrom(1024) print data udpSerSock.sendto(1,ADDR1) udpSerSock.sendto(data,ADDR1) udpSerSock.close() 基于2.7解释器,出现了下列问题,请解决 Traceback (most recent call last): File "D:\python\python_file\Client_and_Server\four\Server4.py", line 6, in <module> udpSerSock.bind(ADDR2) File "D:\python\New Folder\lib\socket.py", line 228, in meth return getattr(self._sock,name)(*args) error: [Errno 10022]
3d6e51fce86053af407ac55efe8780ea
{ "intermediate": 0.38473156094551086, "beginner": 0.3148329555988312, "expert": 0.30043548345565796 }
19,668
{ "operationName": "storeMenu", "variables": { "channel": "whitelabel", "region": "CA", "storeId": "102305" }, "extensions": { "persistedQuery": { "version": 1, "sha256Hash": "713eb1f46bf8b3ba1a867c65d0e0fd2a879cf0e2d1d3e9788addda059e617cc0" } } } i want get others field like name
377f43bf2feb073a1dff1e808167e2be
{ "intermediate": 0.3108710050582886, "beginner": 0.4273391366004944, "expert": 0.26178988814353943 }
19,669
from flask_wtf import FlaskForm from wtforms import StringField,PasswordField,FileField,IntegerField,DateField,HiddenField from wtforms.fields.html5 import EmailField from wtforms.fields.html5 import EmailField ModuleNotFoundError: No module named 'wtforms.fields.html5'
614b4693be2355902d1c5cf6a18e07a6
{ "intermediate": 0.5311825275421143, "beginner": 0.349994033575058, "expert": 0.11882337927818298 }
19,670
ERROR: Command errored out with exit status 1: command: /home/kuzojlberg/edu_22_07_20021/venv/bin/python3 -u -c ‘import sys, setuptools, tokenize; sys.argv[0] = ‘"’"’/tmp/pip-req-build-hw4kucwe/setup.py’“'”‘; file=’“'”‘/tmp/pip-req-build-hw4kucwe/setup.py’“'”‘;f=getattr(tokenize, ‘"’“‘open’”’“‘, open)(file);code=f.read().replace(’”‘"’\r\n’“'”‘, ‘"’"’\n’“'”‘);f.close();exec(compile(code, file, ‘"’“‘exec’”’"‘))’ bdist_wheel -d /tmp/pip-wheel-a1fjn3ac cwd: /tmp/pip-req-build-hw4kucwe/ Complete output (28 lines): /home/kuzojlberg/edu_22_07_20021/venv/lib/python3.8/site-packages/setuptools_scm/integration.py:16: RuntimeWarning: ERROR: setuptools==44.0.0 is used in combination with setuptools_scm>=6.x Your build configuration is incomplete and previously worked by accident! This happens as setuptools is unable to replace itself when a activated build dependency requires a more recent setuptools version (it does not respect “setuptools>X” in setup_requires). setuptools>=31 is required for setup.cfg metadata support setuptools>=42 is required for pyproject.toml configuration support Suggested workarounds if applicable: - preinstalling build dependencies like setuptools_scm before running setup.py - installing setuptools_scm using the system package manager to ensure consistency - migrating from the deprecated setup_requires mechanism to pep517/518 and using a pyproject.toml to declare build dependencies which are reliably pre-installed before running the build tools warnings.warn( usage: setup.py [global_opts] cmd1 [cmd1_opts] [cmd2 [cmd2_opts] …] or: setup.py --help [cmd1 cmd2 …] or: setup.py --help-commands or: setup.py cmd --help error: invalid command ‘bdist_wheel’
3f668977e2b5c04455bf62296532b85c
{ "intermediate": 0.39002475142478943, "beginner": 0.3330760896205902, "expert": 0.27689918875694275 }
19,671
namespace ScooterRental { public class DuplicateScooterException : Exception { public DuplicateScooterException() : base("Scooter already exists") { } } internal class InvalidIdException : Exception { public InvalidIdException() : base("Id cannot be null or empty") { } } public class NegativePriceException : Exception { public NegativePriceException() : base("Price cannot be negative.") { } } public interface IRentalCompany { /// <summary> /// Name of the company. /// </summary> string Name { get; } /// <summary> /// Start the rent of the scooter. /// </summary> /// <param name="id">ID of the scooter</param> void StartRent(string id); /// <summary> /// End the rent of the scooter. /// </summary> /// <param name="id">ID of the scooter</param> /// <returns>The total price of rental. It has to calculated taking into account for how long time scooter was rented. /// If total amount per day reaches 20 EUR than timer must be stopped and restarted at beginning of next day at 0:00 am.</returns> decimal EndRent(string id); /// <summary> /// Income report. /// </summary> /// <param name="year">Year of the report. Sum all years if value is not set.</param> /// <param name="includeNotCompletedRentals">Include income from the scooters that are rented out (rental has not ended yet) and ///calculate rental /// price as if the rental would end at the time when this report was requested.</param> /// <returns>The total price of all rentals filtered by year if given.</returns> decimal CalculateIncome(int? year, bool includeNotCompletedRentals); } public interface IScooterService { /// <summary> /// Add scooter. /// </summary> /// <param name="id">Unique ID of the scooter</param> /// <param name="pricePerMinute">Rental price of the scooter per one minute</param> void AddScooter(string id, decimal pricePerMinute); /// <summary> /// Remove scooter. This action is not allowed for scooters if the rental is in progress. /// </summary> /// <param name="id">Unique ID of the scooter</param> void RemoveScooter(string id); /// <summary> /// List of scooters that belong to the company. /// </summary> /// <returns>Return a list of available scooters.</returns> IList<Scooter> GetScooters(); /// <summary> /// Get particular scooter by ID. /// </summary> /// <param name="scooterId">Unique ID of the scooter.</param> /// <returns>Return a particular scooter.</returns> Scooter GetScooterById(string scooterId); } public class Scooter { /// <summary> /// Create new instance of the scooter. /// </summary> /// <param name="id">ID of the scooter.</param> /// <param name="pricePerMinute">Rental price of the scooter per one minute.</param> public Scooter(string id, decimal pricePerMinute) { Id = id; PricePerMinute = pricePerMinute; } /// <summary> /// Unique ID of the scooter. /// </summary> public string Id { get; } /// <summary> /// Rental price of the scooter per one ///minute. /// </summary> public decimal PricePerMinute { get; } /// <summary> /// Identify if someone is renting this ///scooter. /// </summary> public bool IsRented { get; set; } } public class RentalCompany : IRentalCompany { private readonly IScooterService _scooterService; public static List<RentedScooter> _rentedScooterList = new List<RentedScooter>(); // Make it public static private decimal _totalIncome = 0; // Add a field to keep track of the total income private DateTime _lastDay = DateTime.MinValue; // Add a field to keep track of the last day public RentalCompany(string name, IScooterService scooterService, List<RentedScooter> rentedScooterList) { Name = name; _scooterService = scooterService; _rentedScooterList = rentedScooterList; } public string Name { get; } public void StartRent(string id) { var scooter = _scooterService.GetScooterById(id); scooter.IsRented = true; _rentedScooterList.Add(new RentedScooter(scooter.Id, DateTime.Now)); } public decimal EndRent(string id) { var scooter = _scooterService.GetScooterById(id); scooter.IsRented = false; var rentalRecord = _rentedScooterList.FirstOrDefault(s => s.Id == scooter.Id && !s.RentEnd.HasValue); rentalRecord.RentEnd = DateTime.Now; return (rentalRecord.RentEnd - rentalRecord.RentStart).Value.Minutes * scooter.PricePerMinute; } public decimal CalculateIncome(int? year, bool includeNotCompletedRentals) { if (!includeNotCompletedRentals) { _rentedScooterList.RemoveAll(s => !s.RentEnd.HasValue); } decimal totalIncome = 0; foreach (var rentedScooter in _rentedScooterList) { if (!year.HasValue || rentedScooter.RentStart.Year == year) { var scooter = _scooterService.GetScooterById(rentedScooter.Id); totalIncome += EndRent(scooter.Id); } } _totalIncome = totalIncome; // Update the total income return totalIncome; } } public class RentedScooter { public RentedScooter(string id, DateTime startTime) { Id = id; RentStart = startTime; } public string Id { get; set; } public DateTime RentStart { get; set; } public DateTime? RentEnd { get; set; } } public class ScooterService : IScooterService { private readonly List<Scooter> _scooters; public ScooterService(List<Scooter> scooterStorage) { _scooters = scooterStorage; } public void AddScooter(string id, decimal pricePerMinute) { if (_scooters.Any(s => s.Id == id)) { throw new DuplicateScooterException(); } _scooters.Add(new Scooter(id, pricePerMinute)); if (pricePerMinute <= 0) { throw new NegativePriceException(); } if (string.IsNullOrEmpty(id)) { throw new InvalidIdException(); } } public void RemoveScooter(string id) { var scooterToRemove = _scooters.FirstOrDefault(s => s.Id == id); if (scooterToRemove != null) { _scooters.Remove(scooterToRemove); } /*if (scooterToRemove.IsRented) { throw new Exception("Scooter is currently rented and cannot be removed."); } else { throw new Exception("Scooter not found."); }*/ } public IList<Scooter> GetScooters() { return _scooters.ToList(); } public Scooter GetScooterById(string scooterId) { return _scooters.FirstOrDefault(s => s.Id == scooterId); } } class Program { static void Main(string[] args) { // Create a list to store rented scooters List<RentedScooter> rentedScooters = new List<RentedScooter>(); // Create a scooter service with an initial list of scooters List<Scooter> scooterStorage = new List<Scooter> { new Scooter("1", 1.0m), new Scooter("2", 0.15m), new Scooter("3", 0.2m) }; IScooterService scooterService = new ScooterService(scooterStorage); // Create a rental company IRentalCompany rentalCompany = new RentalCompany("MyCompany", scooterService, rentedScooters); // Simulate scooter rentals rentalCompany.StartRent("1"); Console.WriteLine("Started renting scooter 1."); RentalCompany._rentedScooterList.Add(new RentedScooter("1", DateTime.Now.AddMinutes(-5))); decimal price = rentalCompany.EndRent("1"); Console.WriteLine($"Ended renting scooter 1. Price: {price} EUR"); //rentalCompany.StartRent("2"); //Console.WriteLine("Started renting scooter 2."); // Simulate some more time passing //_rentedScooterList.Add(new RentedScooter("2", DateTime.Now.AddMinutes(0))); //price = rentalCompany.EndRent("2"); //Console.WriteLine($"Ended renting scooter 2. Price: {price} EUR"); // Calculate total income for the current year (including not completed rentals) decimal totalIncome = rentalCompany.CalculateIncome(DateTime.Now.Year, true); Console.WriteLine($"Total income for the year: {totalIncome} EUR"); // Calculate total income for the current year (excluding not completed rentals) totalIncome = rentalCompany.CalculateIncome(DateTime.Now.Year, false); Console.WriteLine($"Total income for the year (excluding not completed rentals): {totalIncome} EUR"); // Calculate total income for all years (including not completed rentals) totalIncome = rentalCompany.CalculateIncome(null, true); Console.WriteLine($"Total income for all years: {totalIncome} EUR"); // Calculate total income for all years (excluding not completed rentals) totalIncome = rentalCompany.CalculateIncome(null, false); Console.WriteLine($"Total income for all years (excluding not completed rentals): {totalIncome} EUR"); // List all available scooters var availableScooters = scooterService.GetScooters(); Console.WriteLine("Available Scooters:"); foreach (var scooter in availableScooters) { Console.WriteLine($"Scooter ID: {scooter.Id}, Price per Minute: {scooter.PricePerMinute} EUR"); } // Remove a scooter scooterService.RemoveScooter("3"); Console.WriteLine("Removed scooter 3."); // List available scooters after removal availableScooters = scooterService.GetScooters(); Console.WriteLine("Available Scooters after removal:"); foreach (var scooter in availableScooters) { Console.WriteLine($"Scooter ID: {scooter.Id}, Price per Minute: {scooter.PricePerMinute} EUR"); } Console.ReadLine(); } } }... Please fix and modify EndRent and CalculateIncome methods to give desired result. EndRent returns price per particulary scooter rental. Keep in mind: The total price of rental. It has to calculated taking into account for how long time scooter was rented. If total amount per day reaches 20 EUR than timer must be stopped and restarted at beginning of next day at 0:00 am
3a99091996423aae532157ebf7f7ddd6
{ "intermediate": 0.3223843574523926, "beginner": 0.3862125873565674, "expert": 0.29140302538871765 }
19,672
@Watch('tab') handleTab(val: string) { const path = `${this.$route.path}?tab=${val}` if (this.$route.fullPath !== path) { this.$router.replace(path) }
9a23cef1e389d34101dbca921b86df27
{ "intermediate": 0.3515760004520416, "beginner": 0.48989391326904297, "expert": 0.15853017568588257 }
19,673
Hi there!
7803213cd79270d69f1bc2f4ce13b70c
{ "intermediate": 0.32267293334007263, "beginner": 0.25843358039855957, "expert": 0.4188934564590454 }
19,674
hi
8e341914a364471675720f91b742d137
{ "intermediate": 0.3246487081050873, "beginner": 0.27135494351387024, "expert": 0.40399640798568726 }
19,675
@Watch(‘tab’) handleTab(val: string) { const path = ${this.$route.path}?tab=${val} if (this.route.fullPath !== path) { this.router.replace(path) } } как переписать на синтаксис Vue 3?
ec3f2521bc6edc9f6d594e74f8069ced
{ "intermediate": 0.42968830466270447, "beginner": 0.32098183035850525, "expert": 0.24932996928691864 }
19,676
namespace ScooterRental { public class DuplicateScooterException : Exception { public DuplicateScooterException() : base("Scooter already exists") { } } internal class InvalidIdException : Exception { public InvalidIdException() : base("Id cannot be null or empty") { } } public class NegativePriceException : Exception { public NegativePriceException() : base("Price cannot be negative.") { } } public interface IRentalCompany { /// <summary> /// Name of the company. /// </summary> string Name { get; } /// <summary> /// Start the rent of the scooter. /// </summary> /// <param name="id">ID of the scooter</param> void StartRent(string id); /// <summary> /// End the rent of the scooter. /// </summary> /// <param name="id">ID of the scooter</param> /// <returns>The total price of rental. It has to calculated taking into account for how long time scooter was rented. /// If total amount per day reaches 20 EUR than timer must be stopped and restarted at beginning of next day at 0:00 am.</returns> decimal EndRent(string id); /// <summary> /// Income report. /// </summary> /// <param name="year">Year of the report. Sum all years if value is not set.</param> /// <param name="includeNotCompletedRentals">Include income from the scooters that are rented out (rental has not ended yet) and ///calculate rental /// price as if the rental would end at the time when this report was requested.</param> /// <returns>The total price of all rentals filtered by year if given.</returns> decimal CalculateIncome(int? year, bool includeNotCompletedRentals); } public interface IScooterService { /// <summary> /// Add scooter. /// </summary> /// <param name="id">Unique ID of the scooter</param> /// <param name="pricePerMinute">Rental price of the scooter per one minute</param> void AddScooter(string id, decimal pricePerMinute); /// <summary> /// Remove scooter. This action is not allowed for scooters if the rental is in progress. /// </summary> /// <param name="id">Unique ID of the scooter</param> void RemoveScooter(string id); /// <summary> /// List of scooters that belong to the company. /// </summary> /// <returns>Return a list of available scooters.</returns> IList<Scooter> GetScooters(); /// <summary> /// Get particular scooter by ID. /// </summary> /// <param name="scooterId">Unique ID of the scooter.</param> /// <returns>Return a particular scooter.</returns> Scooter GetScooterById(string scooterId); } public class Scooter { /// <summary> /// Create new instance of the scooter. /// </summary> /// <param name="id">ID of the scooter.</param> /// <param name="pricePerMinute">Rental price of the scooter per one minute.</param> public Scooter(string id, decimal pricePerMinute) { Id = id; PricePerMinute = pricePerMinute; } /// <summary> /// Unique ID of the scooter. /// </summary> public string Id { get; } /// <summary> /// Rental price of the scooter per one ///minute. /// </summary> public decimal PricePerMinute { get; } /// <summary> /// Identify if someone is renting this ///scooter. /// </summary> public bool IsRented { get; set; } } public class RentalCompany : IRentalCompany { private readonly IScooterService _scooterService; public static List<RentedScooter> _rentedScooterList = new List<RentedScooter>(); // Make it public static private decimal _totalIncome = 0; // Add a field to keep track of the total income private DateTime _lastDay = DateTime.MinValue; // Add a field to keep track of the last day public RentalCompany(string name, IScooterService scooterService, List<RentedScooter> rentedScooterList) { Name = name; _scooterService = scooterService; _rentedScooterList = rentedScooterList; } public string Name { get; } public void StartRent(string id) { var scooter = _scooterService.GetScooterById(id); scooter.IsRented = true; _rentedScooterList.Add(new RentedScooter(scooter.Id, DateTime.Now)); } public decimal EndRent(string id) { var scooter = _scooterService.GetScooterById(id); scooter.IsRented = false; var rentalRecord = _rentedScooterList.FirstOrDefault(s => s.Id == scooter.Id && !s.RentEnd.HasValue); rentalRecord.RentEnd = DateTime.Now; return (rentalRecord.RentEnd - rentalRecord.RentStart).Value.Minutes * scooter.PricePerMinute; } public decimal CalculateIncome(int? year, bool includeNotCompletedRentals) { if (!includeNotCompletedRentals) { _rentedScooterList.RemoveAll(s => !s.RentEnd.HasValue); } decimal totalIncome = 0; foreach (var rentedScooter in _rentedScooterList) { if (!year.HasValue || rentedScooter.RentStart.Year == year) { var scooter = _scooterService.GetScooterById(rentedScooter.Id); totalIncome += EndRent(scooter.Id); } } _totalIncome = totalIncome; // Update the total income return totalIncome; } } public class RentedScooter { public RentedScooter(string id, DateTime startTime) { Id = id; RentStart = startTime; } public string Id { get; set; } public DateTime RentStart { get; set; } public DateTime? RentEnd { get; set; } } public class ScooterService : IScooterService { private readonly List<Scooter> _scooters; public ScooterService(List<Scooter> scooterStorage) { _scooters = scooterStorage; } public void AddScooter(string id, decimal pricePerMinute) { if (_scooters.Any(s => s.Id == id)) { throw new DuplicateScooterException(); } _scooters.Add(new Scooter(id, pricePerMinute)); if (pricePerMinute <= 0) { throw new NegativePriceException(); } if (string.IsNullOrEmpty(id)) { throw new InvalidIdException(); } } public void RemoveScooter(string id) { var scooterToRemove = _scooters.FirstOrDefault(s => s.Id == id); if (scooterToRemove != null) { _scooters.Remove(scooterToRemove); } /*if (scooterToRemove.IsRented) { throw new Exception("Scooter is currently rented and cannot be removed."); } else { throw new Exception("Scooter not found."); }*/ } public IList<Scooter> GetScooters() { return _scooters.ToList(); } public Scooter GetScooterById(string scooterId) { return _scooters.FirstOrDefault(s => s.Id == scooterId); } } class Program { static void Main(string[] args) { // Create a list to store rented scooters List<RentedScooter> rentedScooters = new List<RentedScooter>(); // Create a scooter service with an initial list of scooters List<Scooter> scooterStorage = new List<Scooter> { new Scooter("1", 1.0m), new Scooter("2", 0.15m), new Scooter("3", 0.2m) }; IScooterService scooterService = new ScooterService(scooterStorage); // Create a rental company IRentalCompany rentalCompany = new RentalCompany("MyCompany", scooterService, rentedScooters); // Simulate scooter rentals rentalCompany.StartRent("1"); Console.WriteLine("Started renting scooter 1."); RentalCompany._rentedScooterList.Add(new RentedScooter("1", DateTime.Now.AddMinutes(-5))); decimal price = rentalCompany.EndRent("1"); Console.WriteLine($"Ended renting scooter 1. Price: {price} EUR"); //rentalCompany.StartRent("2"); //Console.WriteLine("Started renting scooter 2."); // Simulate some more time passing //_rentedScooterList.Add(new RentedScooter("2", DateTime.Now.AddMinutes(0))); //price = rentalCompany.EndRent("2"); //Console.WriteLine($"Ended renting scooter 2. Price: {price} EUR"); // Calculate total income for the current year (including not completed rentals) decimal totalIncome = rentalCompany.CalculateIncome(DateTime.Now.Year, true); Console.WriteLine($"Total income for the year: {totalIncome} EUR"); // Calculate total income for the current year (excluding not completed rentals) totalIncome = rentalCompany.CalculateIncome(DateTime.Now.Year, false); Console.WriteLine($"Total income for the year (excluding not completed rentals): {totalIncome} EUR"); // Calculate total income for all years (including not completed rentals) totalIncome = rentalCompany.CalculateIncome(null, true); Console.WriteLine($"Total income for all years: {totalIncome} EUR"); // Calculate total income for all years (excluding not completed rentals) totalIncome = rentalCompany.CalculateIncome(null, false); Console.WriteLine($"Total income for all years (excluding not completed rentals): {totalIncome} EUR"); // List all available scooters var availableScooters = scooterService.GetScooters(); Console.WriteLine("Available Scooters:"); foreach (var scooter in availableScooters) { Console.WriteLine($"Scooter ID: {scooter.Id}, Price per Minute: {scooter.PricePerMinute} EUR"); } // Remove a scooter scooterService.RemoveScooter("3"); Console.WriteLine("Removed scooter 3."); // List available scooters after removal availableScooters = scooterService.GetScooters(); Console.WriteLine("Available Scooters after removal:"); foreach (var scooter in availableScooters) { Console.WriteLine($"Scooter ID: {scooter.Id}, Price per Minute: {scooter.PricePerMinute} EUR"); } Console.ReadLine(); } } }... Please fix and modify EndRent and CalculateIncome methods to give desired result. EndRent returns price per particulary scooter rental. Keep in mind: The total price of rental. It has to calculated taking into account for how long time scooter was rented. If total amount per day reaches 20 EUR than timer must be stopped and restarted at beginning of next day at 0:00 am
06fb2fca698669f7c48b7aaffe1bc934
{ "intermediate": 0.3223843574523926, "beginner": 0.3862125873565674, "expert": 0.29140302538871765 }
19,677
Create this smily face: ----------- --0----0-- ----__---- -(_______)- ----------- with the following criteria: create a class, create a main method, Use system.out.println at least three times and use system.out.print at least 2 times
ba4344a222002dc8a2ccbaf97688ef29
{ "intermediate": 0.1370139718055725, "beginner": 0.7455753087997437, "expert": 0.11741073429584503 }
19,678
how to reverse a list in python
dbf38ed357afd716038decaad98e572f
{ "intermediate": 0.31711941957473755, "beginner": 0.17211945354938507, "expert": 0.5107611417770386 }
19,679
vue 3
d76341e7781a79a48128cf5f36c3e1b3
{ "intermediate": 0.2975444793701172, "beginner": 0.30291059613227844, "expert": 0.39954498410224915 }
19,680
what do you think necessay to add here?:
65e906ec441847592eb03146eea28ce0
{ "intermediate": 0.38122424483299255, "beginner": 0.29046258330345154, "expert": 0.3283131718635559 }
19,681
How to generate a random event in C#
b981635e4f18f47210421259df0b61dc
{ "intermediate": 0.3971048891544342, "beginner": 0.2182680368423462, "expert": 0.384627103805542 }
19,682
in my c# project This is an example class of constants values I have: public static class ConstantClass { public const string Key1 = "Value1" Key2 = "Value2" ... } I want to be able to select a key from the class dynamically at runtime, avoiding the use of a dictionary because I want to use it in specific locations instead of being on RAM all the time. How can i do this?
4e960fde6c6e91d74a53c70ad29b591d
{ "intermediate": 0.34773239493370056, "beginner": 0.5402088761329651, "expert": 0.11205878108739853 }
19,683
hi
bf5953faf7cba298d5d05315b8b89d74
{ "intermediate": 0.3246487081050873, "beginner": 0.27135494351387024, "expert": 0.40399640798568726 }
19,684
i am running this sql code: select inquiry.id as inquiry_id, inquiry.subject_text, inquiry.response_text, inquiry.searchable FROM `i2ms-debug`.inquiry_detail_vw inquiry WHERE inquiry.id IN (71875) with the results returned i want to add to table: `i2ms-debug`.inquiry_analytics_vw
0fbd2077b8139f2f142c547a399341bb
{ "intermediate": 0.35337361693382263, "beginner": 0.31424474716186523, "expert": 0.33238160610198975 }
19,685
How to limit the execution of the tsykla in C#
0e3685fcce2a790c8e617c720e76f303
{ "intermediate": 0.31047263741493225, "beginner": 0.2654738128185272, "expert": 0.4240535497665405 }
19,686
can you write a cod for my WordPress website?
683e0342a8eb884ab9a9a852229c458b
{ "intermediate": 0.37814462184906006, "beginner": 0.42913705110549927, "expert": 0.19271837174892426 }
19,687
how to sort a list of objects in react using another sorted list
155c080c714272557bf567f2a64df0e5
{ "intermediate": 0.46004968881607056, "beginner": 0.20647181570529938, "expert": 0.33347851037979126 }
19,688
I would like to add a YES NO message before executing my code. YES to continue and NO to exit Sub. Can you please show me how to do it
2cffbdaf296d2962538bc7998ca88cb9
{ "intermediate": 0.3624867796897888, "beginner": 0.2583412826061249, "expert": 0.3791719377040863 }
19,689
use std::io::{self, BufRead, BufReader}; use std::net::TcpStream; use std::io::{Read, Write}; pub struct XmppConnection { stream: TcpStream, reader: BufReader<TcpStream>, } pub struct Properties<'a> { pub server_address: &'a str, pub room_jid: &'a str, pub room_nick: &'a str, pub room_pass: Option<&'a str>, pub acc_jid: &'a str, pub acc_pass: &'a str, } impl<'a> Properties<'a> { pub fn new( server_address: &'a str, room_jid: &'a str, room_nick: &'a str, room_pass: Option<&'a str>, acc_jid: &'a str, acc_pass: &'a str, ) -> Self { Properties { server_address, room_jid, room_nick, room_pass, acc_jid, acc_pass, } } } impl XmppConnection { pub fn new(properties: &Properties) -> Result<Self, Box<dyn std::error::Error>> { let stream = TcpStream::connect(properties.server_address)?; let reader = BufReader::new(stream.try_clone()?); Ok(XmppConnection { stream, reader }) } pub fn read_xml(&mut self) -> Result<String, std::io::Error> { let mut buffer = [0; 4096]; let size = self.reader.read(&mut buffer)?; Ok(String::from_utf8_lossy(&buffer[..size]).to_string()) } pub fn send_xml(&mut self, xml: &str) -> Result<(), std::io::Error> { self.stream.write_all(xml.as_bytes())?; Ok(()) } pub fn send_message(&mut self, properties: &Properties, message: &str) -> Result<(), Box<dyn std::error::Error>> { let xml = format!( "<message from=\"{}\" to=\"{}\" type=\"chat\"> <body>{}</body> </message>", properties.room_jid, properties.acc_jid, message ); self.send_xml(&xml)?; Ok(()) } pub fn handle_input(&mut self) -> Result<(), Box<dyn std::error::Error>> { let mut reader = BufReader::new(io::stdin()); let mut input = String::new(); loop { input.clear(); reader.read_line(&mut input)?; // Remove trailing newline input = input.trim().to_string(); if input.is_empty() { continue; } self.send_message(&input)?; let response = self.read_xml()?; println!("Received: {}", response); } } } Could you concatenate Properties with XmppConnection struct?
e591941166ec803772c8da26c767f986
{ "intermediate": 0.29844602942466736, "beginner": 0.4921993613243103, "expert": 0.20935460925102234 }
19,690
You’re now a highly skilled Rust developer with an extensive understanding of XMPP and Jabber. You have spent years honing your expertise and have successfully built numerous XMPP-based applications. Your in-depth knowledge encompasses the intricacies of XMPP protocol, the various XMPP extensions, and the workings of the Jabber ecosystem. You are well-versed in using Rust’s powerful libraries for xml parsing. Could you help me to build a xmpp client from scratch without any external lib (except xml parsing libraries?)
70a00f4f30216b2242c7830912e68a75
{ "intermediate": 0.6915063858032227, "beginner": 0.18600448966026306, "expert": 0.12248914688825607 }
19,691
create table payment ( TransactionId int, PaymentId int, PaymentAmount int, PayDate datetime default getdate() ) -- run each insert values seperately so their daydate will be different from each other Insert into Payment (TransactionId, PaymentId, PaymentAmount) values (1, 103, 1500) Insert into Payment (TransactionId, PaymentId, PaymentAmount) values (2, 103, 1530) Insert into Payment (TransactionId, PaymentId, PaymentAmount) values (3, 103, 1870) Insert into Payment (TransactionId, PaymentId, PaymentAmount) values (4, 103, 2000) Insert into Payment (TransactionId, PaymentId, PaymentAmount) values (1, 104, 1500) Insert into Payment (TransactionId, PaymentId, PaymentAmount) values (2, 104, 1530) Insert into Payment (TransactionId, PaymentId, PaymentAmount) values (3, 104, 1870) Insert into Payment (TransactionId, PaymentId, PaymentAmount) values (4, 104, 2000) select paymentid, PaymentAmount, paydate, case when row_number()over(partition by paymentid order by paydate) = 1 then 'Open' when row_number()over(partition by paymentid order by paydate desc) = 1 then 'Closed' else 'InProgress' end as Status from payment order by paymentid, paydate --homework #1: Achieve same thing with a) Firstvalue, lastvalue functions, b) Correlation subquery with min, max c) count aggregate function
008047245a24336f1acfecfcbad15055
{ "intermediate": 0.44828975200653076, "beginner": 0.25235214829444885, "expert": 0.29935815930366516 }
19,692
In sqlite I want to make a query that gets two values and use them to update two other values of a table with the same layout of the first but different name: SELECT X AS X1,Y AS Y1 FROM Table1 WHERE (SOME-CONDITION) UPDATE X=X1, Y=Y1 FROM TABLE 1
decda185f43a225d33dc52c3ca7d9dd2
{ "intermediate": 0.44381362199783325, "beginner": 0.338877409696579, "expert": 0.21730895340442657 }