i have searched alot and find that you should be with the backend or you should have access at the system files ( will not happen ), so do you find anything else ?
Did you to solve the problem? I encountered the same error
sdfghjkjhgfdsfghjhgfdfghyjuyhgtrfdeerfgthyygt
I disabled all the breakpoints and ran again. It worked. Thanks to SpringBoot app takes ages to start in debug mode only
thank you Henil Patel your code works
So, a question related to this. How do I dynamically create an instance of an object that is 1 of many that implement an interface? For example, in the example above, say there are 3 types of user, but I only want to create an instance of 1 of them at any given moment. I suppose you could put each of them in their own class or method and call the appropriate class/method, but that adds an extra unneeded level of abstraction. Thanks in advance.
If someone still needs answer to this question, they can check here:
https://en.delphipraxis.net/topic/13012-tbutton-change-font-color
If I replace this line of code in your second script, it works.
timesteps, nx, ny = hraw.shape
With random data, because we don’t know how you load the h raw and uraw.
timesteps, nx, ny = 174, 200, 50
hraw = np.random.rand(timesteps, nx, ny) # Example-horizontal data
uraw = np.random.rand(timesteps, nx, ny) # Example-speed data
Does this not look like what you are searching for, or please explain your target. How do you load your data?
i am also trying if you get any solution of it . share to mee also it's my final year project that why i also dont get this permissions .
from fpdf import FPDF
import os
from PIL import Image
class PDF(FPDF):
def header(self):
self.set_font("Arial", 'B', 16)
# Aquí podrías agregar un logo o algo más si deseas
def chapter_title(self, title):
self.set_font("Arial", 'B', 16)
self.cell(0, 10, title, ln=True, align='C')
self.ln(5)
def chapter_body(self, body):
self.set_font("Arial", '', 12)
self.multi_cell(0, 10, body)
self.ln()
pdf = PDF(format='A4')
pdf.set_auto_page_break(auto=True, margin=15)
# Ejemplo: agregar portada
pdf.add_page()
pdf.chapter_title("Coloreando mis emociones")
# Suponiendo que tengas una imagen de portada en color en la ruta especificada
portada = "/mnt/data/tu_portada_color.png" # Asegúrate de cambiar la ruta
if os.path.exists(portada):
pdf.image(portada, x=10, y=30, w=pdf.w - 20)
pdf.ln(20)
# Agrega la dedicatoria
pdf.add_page()
pdf.chapter_title("Dedicatoria")
dedicatoria_text = (
"Para mis hijos,\n\n"
"Ustedes me enseñan cada día, me muestran un mar de emociones. "
"Un día lloramos de risa y al rato lloramos porque estamos tristes. "
"Cada momento es algo nuevo, una aventura. Nos peleamos, nos enojamos, nos abrazamos, "
"nos reconciliamos y nos amamos… Siempre, en todo momento, nos acompañamos. "
"Somos unidos, y cada uno tiene su propia personalidad y complementa al otro. "
"No somos perfectos, somos humanos y tratamos de encajar en la vida del otro."
)
pdf.chapter_body(dedicatoria_text)
# Agrega la introducción para adultos
pdf.add_page()
pdf.chapter_title("Introducción para adultos")
intro_text = (
"Este libro fue pensado con mucho cariño para acompañar a los peques en el descubrimiento de sus emociones. "
"Colorear, identificar lo que sienten, y ponerle nombre a esas sensaciones ayuda a crecer y construir vínculos más sanos. "
"Acompañar este proceso con amor y atención es fundamental. ¡Disfruten del viaje!"
)
pdf.chapter_body(intro_text)
# Continúa agregando cada sección (Guía, Presentación, cada emoción, versión abreviada, reflexión final, diploma...)
# Aquí va como ejemplo la Guía y la Presentación
pdf.add_page()
pdf.chapter_title("¿Cómo usar este libro?")
guia_text = (
"1. Observen la ilustración y conversen sobre lo que ven.\n"
"2. Coloreen libremente, sin importar si usan los colores “reales” o de su elección.\n"
"3. Lean la frase que acompaña cada emoción y compartan lo que les inspira.\n"
"4. Resuelvan la actividad breve: e.g., “¿Qué me da miedo?”.\n"
"5. Conversen y validen lo que sienten. No existen respuestas correctas."
)
pdf.chapter_body(guia_text)
pdf.add_page()
pdf.chapter_title("¡Hola, peques!")
presentacion_text = (
"¡Hola, peques!\n\n"
"Este libro es para vos. Aquí vas a descubrir, dibujar y conocer tus emociones. "
"Cada página es tuya para colorear, imaginar y sentir. ¡Vamos a comenzar este viaje juntos!"
)
pdf.chapter_body(presentacion_text)
# Agrega más páginas según cada emoción y actividad...
# Por ejemplo:
pdf.add_page()
pdf.chapter_title("¿Qué me da miedo?")
# Agrega la imagen de la emoción
emocion_img = "/mnt/data/A_black_and_white_line_drawing_coloring_page_for_c.png" # Actualiza la ruta
if os.path.exists(emocion_img):
pdf.image(emocion_img, x=15, w=pdf.w - 30)
# Puedes agregar un texto de actividad si lo deseas
pdf.chapter_body("Colorea la imagen y después escribe o cuenta: ¿Qué te da miedo?")
# Al final, agrega la reflexión final y el diploma...
pdf.add_page()
pdf.chapter_title("Reflexión final")
reflexion_text = (
"Reconocer nuestras emociones y aprender a expresarlas no solo nos ayuda a conocernos mejor, "
"sino que también nos permite convivir en armonía con los demás. La educación emocional es una herramienta "
"valiosa en los tiempos que vivimos, una base fundamental para crecer, aprender y construir vínculos más sanos. "
"Que este libro sea una puerta abierta para descubrir ese mundo interior que habita en cada niño, en cada familia, "
"y en cada corazón."
)
pdf.chapter_body(reflexion_text)
pdf.add_page()
pdf.chapter_title("Diploma de Explorador de Emociones")
diploma_text = (
"Este diploma se otorga a: _________________________\n\n"
"Por haber recorrido este camino de emociones, reconociendo y aprendiendo a expresarlas. "
"¡Felicitaciones por dar el primer paso hacia el crecimiento personal!"
)
pdf.chapter_body(diploma_text)
# Guarda el PDF final
pdf_output_path = "/mnt/data/Explorador_de_Emociones_Maruk.pdf"
pdf.output(pdf_output_path)
print("PDF generado en:", pdf_output_path)
https://www.youtube.com/watch?v=DvnS32n6RQk
this might work, this is an yt video where he teaches in hindi
Hey got stuck in same process, can someone please explain how can I get access so that I can connect that with n8n
just drag the pop up box with your mouse to the desired position.
Can You provide your python code?
i want downgrade my XCode to 16.2 too but failed to download from apple developer website.
before the Hangup() just add a line
same => n,Playback(THANKYOUFILE)
FIS_AUTH_ERROR RN Firebase Cloud Messaging Answer work for me :
Please help me to see when is made this picture
6f527c31-bd78-4d7f-b156-a8020b0cd027.jpeg
Please help me
I got same the issue, I can launch the app by App Actions Test tool but when I publish on internal test and download by the link. I can't launch the app and catch the feature by Google Assistance voice or text. The Google Assistance always open the browser. Did you find the reason?
MIGUEEELLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLL ES ESO
With Delphi 12.3, they changed their debugger from TDS-based to LLDB-based, at least in their very first 64-bit IDE version.
Maybe this will affect your success trying to debug Delphi-Code via other Tools like "VS Code".
Did anyone already tried makeing use of the last changes for Delphi debugger?
Have you found an answer here?
Why are you converting scripts from a more capable tool to a less capable tool?
Thank you José for the reply. I have tried the GluonFX 1.0.26 plugin before. It also produced errors. I tried it again. It did not work:
mvn gluonfx:build failed again.
Somebody on this forum suggested:
mvn gluonfx:compile
followed by:
mvn gluonfx:link.
This worked! Not sure why. (build = compile + link). It is probably a gluonFX bug. Thanks again for the great help.
are there any updates on this? I found this thread because I had the same question. I want to compress a video stream in YUY2 or UYVY format to, say H265. If I understand the answers given here correctly, I should be able use the function av_image_fill_arrays()
to fill the data and linesize arrays of an AVFrame object, like this:
av_image_fill_arrays(m_pFrame->data, m_pFrame->linesize, pData, ePixFmt, m_pFrame->width, m_pFrame->height, 32);
and call avcodec_send_frame()
, followed by calling avcodec_receive_packet()
to get encoded data.
I must have done something wrong. The result is not correct. For example, rather than a video with a person's face showing in the middle of the screen, I get a mostly green screen with parts of the face showing up at the lower left and lower right corners.
Can someone help me?
Thanks to @wenbo-finding-job the problem was solved by following the steps as described in the blog:
I tried it but it didn't really work. I am still facing this issue any run time validations in dto file after being build they are being removed. Is there any solution foo it ?
Does anyone know how to do this in Visual Studio 2023 (not vs code)?
I retyped the code and it fixed it somehow. Closing this
As of Apr 27 2022, you don't need custom parsing code anymore, you can set a flag to get native JSON returned! https://aws.amazon.com/about-aws/whats-new/2022/04/amazon-rds-data-api-sql-json-string/
You can connect with any kind of EVM base blockchain network by using following method
Having the same issue. Did you find a solution? Was able to clear the error by deleting the DNS IP address in Tailscale and re-entering. Will see if the error returns.
I'm facing the same issue, do you have a solution for it?
discordapp.com/avatars/${user.id}/{avatar.name}.png?size=4096
Immediately download example: https://images-ext-1.discordapp.net/external/(character_set_unknown_to_me)/%3Fsize%3D4096/https/cdn.discordapp.com/avatars/${user.id}/${avatar.name}.png
Of course, I can get the second link by right-clicking on the open image in full size that is embedded in my MessageEmbed().setImage() and click copy the link given, but I want this link to also be inserted into MessageEmbed().setDescription() so that clicking on the link immediately opens the link of user
I don't have an answer, but having the exact same problem. Did the OP end up finding the solution? 🙏
Look at Minecraft, developed in Java and good performance for kinda big game, so it's more about what is your quality of code and how you optimize it, then about GC imo.
same error, maybe Concurrency Issue. please help us
Is there any backend Java code, bro
how do you proceed to align the label on the right of the screen ? Like it is with classic toolbar objects line and ray ?
I've run into a strange PWA layout issue too and tried just about everything! In a browser, my app runs fine (Safari, Chrome, Edge, Firefox). Soon as I install it as a PWA, in iOS I have a half inch empty gap at the top and in Android, the header goes up by half inch can't be accessed.
Any idea? It would be greatly appreciated!!
I finally found a solution using detectTransformGestures instead of draggable2D !
I have the same problem, did you find a way to fix it?
May be something like https://pub.dev/packages/pda_rfid_scanner can help with that?
I had a similar problem, and while trying out the many and diverse possible solutions offered here, I ended up with a much bigger problem: My screen resolution is suddenly stuck at 800 x 600. So I started searching for solutions to this new problem, and they are similarly many and diverse, and none of them are working. Has anyone else had this happen while doing anything described in this thread?
Not getting this question answer i also have same problem
HI can u give me the sample code I am getting error while performing it
Validation error. error 80080204: App manifest validation error: Line 40, Column 12, Reason: If it is not an audio background task, it is not allowed to have EntryPoint="BGTask.ToastBGTask" without ActivatableClassId in windows.activatableClass.inProcessServer.
When i uninstall tensorflow 2.15.0 and keras 2.15.0 and then first install tensorflow and then install keras the problem resolved. Maybe first install keras will cause tensorflow.keras not install properly?
in case of updating to puppeteer 23 https://github.com/puppeteer/puppeteer/issues/13209#issuecomment-2428346339
Have you solved the problem? I encounter the same issue.
Hey did you get any solution regarding this ?
when set value to variable , but it doesn't work
видимо никак, либо тут недостаточно опытные разработчики сидят
Have you got the solution? 'cause I am also stuck in a similar situation
i found the blob image and it still just plain text, can someone helps me :<
hey guys i cant get my legend to be just a little smaller right now it is the size of africa can you help me please my assignment is due tomorrow
These three commands work for me too, but shutdown and restart the system.Thanks!
im using this timer hope my comment will help other who need https://tempmailusa.com/10minutetimer/
I am facing same issue. I have a script placed on a server. Server already has kubectl and aws cli installed.
WHEN SCRIPT IS EXECUTED WITH AWS SSM
script runs eks update kubeconfig and then kubectl command, which fails with below error:
ERROR-------
E0417 15:54:14.627818 31772 memcache.go:265] "Unhandled Error" err="couldn't get current server API group list: Get \"http://localhost:8080/api?timeout=32s\": dial tcp 127.0.0.1:8080: connect: connection refused"
The connection to the server localhost:8080 was refused - did you specify the right host or port?
WHEN SCRIPT IS EXECUTED DIRECTLY FROM SERVER, IT PASSES THROUGH.
Note: the user in both case is root that is checked with whom.
Please help me if you found a solution.
yo tengo un problema similar pero aca es con sfml para c++ y los archivos no venian con su controlador de graficos
So have u fixed that?
Напиши мне в тг по @codeem, давай замутим это дело в вебе. И ещё добавим pwa, чтобы можно было генерить картинки в вебе одной командой.
buenas necesito ayuda
como hago dos histogramas cuando tengo una variable con dos niveles que son lugar 1 y lugar 2, pero estos estan en una sola columna . cuando realizo el histograma me toma todos los datos , no los discrimina por lugar. mi variabla respuesta es contenido de vit C
nota:los niveles de lugar estan uno a continuacion de otro ,
mi pregunta es como le digo a R que tome los datos del lugar 1 para el histogrma
y tome los datos del lugar 2 para el otro histograma
gracias por tu respuesta
I have the same question just like you said. Have you solved it? could you share the idea, really thanks!
nicee mantap kali sangat memuaskan
Andrew Kin Fat Choi 's answer helped!
Can you share the entire stack please? Just copy/paste the text from that window, it should suffice.
Nice to see finally issue resolved.
I have the same issue, the app remains unaware whether the code is entered and subscription is redeemed from App Store or not. The user has to close the app and restart it and again enter the iCloud password which then detects that a subscription is active, then it lets the user use the app. Is it the same case for you? I am developing in Flutter by the way.
If yes and you've found a solution, please help me also.
Thank you very much
NASM.US is currently down ; ()
Add it to your drawable folder
Settings>Tools>Python Plots
If the elements are hashable, use a set.
I tried to look for the NormalizationOptions class but didn't find it.
Same issue, i tried exactly the same procedures and trying to fix this error!
from docx import Document
from docx.shared import Pt, RGBColor, Inches
from docx.enum.text import WD_PARAGRAPH_ALIGNMENT
# Crear documento
doc = Document()
# Encabezado con nombre del grupo
header = doc.add_paragraph()
header.alignment = WD_PARAGRAPH_ALIGNMENT.CENTER
run = header.add_run("Pela'os Activos")
run.font.size = Pt(16)
run.font.bold = True
run.font.color.rgb = RGBColor(0, 102, 204)
location_date = doc.add_paragraph("Santiago de Veraguas, Panamá\n[Fecha]")
location_date.alignment = WD_PARAGRAPH_ALIGNMENT.LEFT
# Datos del destinatario
doc.add_paragraph("[Nombre del comercio o responsable]")
doc.add_paragraph("[Nombre del establecimiento]")
doc.add_paragraph("Presente.\n")
# Cuerpo de la carta
body = (
"Estimados señores:\\n\\n"
"¡Un cordial saludo de parte del grupo juvenil \*Pela’os Activos\*! En alianza con la fundación española "
"\*\*Donesacull\*\*, nos encontramos organizando una actividad muy especial que busca dejar huellas positivas "
"en nuestra comunidad.\\n\\n"
"El próximo 19 de octubre de 2025, estaremos llevando a cabo una jornada solidaria en la comunidad de "
"La Coloradita, en La Peña, Santiago de Veraguas, donde haremos entrega de regalos, útiles escolares, ropa y más "
"a niños, niñas y familias en situación vulnerable.\\n\\n"
"Para hacer esto posible, estamos buscando aliados estratégicos como ustedes. Queremos invitarlos a ser parte de este "
"proyecto a través de patrocinio o descuentos especiales en sus productos o servicios. Su aporte no solo nos ayudará a lograr "
"un mayor alcance, sino que también posicionará su marca como un comercio con conciencia social.\\n\\n"
"A cambio, ofrecemos publicidad directa en nuestras redes sociales, donde destacaremos su negocio como uno de nuestros "
"patrocinadores oficiales. Haremos publicaciones agradeciendo su apoyo, mencionando su marca y mostrando cómo su contribución "
"hace la diferencia.\\n\\n"
"No es solo una donación. Es una oportunidad de conectar con la comunidad, ganar visibilidad y ser parte de una causa que transforma vidas.\\n\\n"
"Nos encantaría reunirnos o conversar con ustedes para compartir más detalles y escuchar sus ideas de colaboración.\\n\\n"
"Gracias por considerar ser parte de este sueño con impacto real. ¡Contamos con ustedes!\\n\\n"
"Con aprecio,\\n\\n"
"\[Tu nombre y apellido\]\\n"
"Representante – Pela’os Activos\\n"
"Tel.: \[tu número\]\\n"
"Correo: \[tu correo electrónico\]\\n"
"Instagram/Facebook: @PelaosActivos"
)
doc.add_paragraph(body)
# Guardar documento
file_path = "/mnt/data/Carta_Comercial_Pelaos_Activos.docx"
doc.save(file_path)
file_path
@ottavio did you find the code or write your own?
I have the same goal and looking for any useful resource.
You need to set the disk usage limit less than the actual size of storage device but sufficient enough to contain all your data.
Unfortunately I can't comment, but if it's failing it could be that the file formatting is affecting the read, specifically for java? Is it windows, linux, mac? That may affect file encoding. Ensure the file has a newline at the end, and maybe even ensure there aren't any hidden characters that may be throwing off the read of the properties. Last it may be that java isn't executing with the same user so maybe it's searching in a different directory?
interesting question, asdasdasdasdasdas
This article answers your question 100%. Dev.to article on server routing in Angular 19
Isn't it against the TOS of Google Colab to host a Minecraft Server?
I want to host a PRIVATE/PERSONAL server for about 5 players ONLY.
You're basically just calculating the average. Why don't you use avg
?
have you found a solution? I have the same problem. Thank you
Update your browser and relaunch.
You need to update react-native-safe-area-context and rebuild your app (https://github.com/AppAndFlow/react-native-safe-area-context/pull/610)
this version does work as mentioned above devtools::install_github("dmurdoch/leaflet@crosstalk4")
BUT it is not compatible with recent versions of r leaflet. any suggestions?
Fix was provided in this GitHub issue: https://github.com/dotnet/aspnet-api-versioning/issues/1122
This was raised in GitHub and discussed in more detail here:
https://github.com/snowflakedb/snowflake-jdbc/issues/2123
I am using ui-grid 4.8.3 and facing the same issue. Any solution?
What if I don't have a insert key?
Now exist strategy.openprofit_percent
Already did that yaman jain but still problem persist. any video or tutorial that will cover setting vs code in c much better you can recommend?
Turns out the issue was that, I was using only one subtable. Each subtable get computed once so if multiple pairings are in there it doesnt work. The solution was to create more GPOS subtables and split the pairings accordingly.
The case when there are no data should be handled with "INSUFFICIENT_DATA" state instead.
Have you solved your problem? I don't know how to get the headers requested by the client.
Would you like to add the new FOP (Form of Payment) to the PNR without deleting the existing FOP, and have it appear as the first entry in the list?
Sorry, not an answer, but I don't have enough creds to comment...
Thanks for posting. I'm having the same issue with one of my workspaces that contains both git source-controlled directories and non-git directories, yet I can open other workspaces that also contain both git source-controlled directories and non-git directories and NOT see the same issue.
The only difference I see in the structure of the workspace files is that the one with the problem has entries like
"folders": [
{
"name": "PS_Library",
"path": "PS_Library"
},
Whereas the workspaces without the issue have entries like
"folders": [
{
"path": "."
},
i.e. just "path" without "name".
Sorry can't be more help, but keen to find a solution.
Do you have the config and the url? I just successfully onboarded this
I was able to make it work by activating the region in both the account that makes the STS request and the account where the credentials are generated -
If you are using POST request then use formParameters instead of queryParameters https://docs.spring.io/spring-restdocs/docs/current/reference/htmlsingle/#documenting-your-api-form-parameters
Oh , i got the same problem, where paid agreement was not active.Spent 2 weeks figuring it out