Update database avira

Flair Warehouse for r/SGS

2013.09.19 23:48 poontawn Flair Warehouse for r/SGS

Database of the trades of /SteamGameSwap that is used to update the traders' flairs
[link]


2011.09.20 07:04 Not_A_NoveltyAccount Asked Reddit

A database of the interesting topics of discussion that have been posted on /AskReddit and deserve/require an Update!
[link]


2008.07.29 00:41 Paintball

pantball
[link]


2024.05.14 04:25 No_Account_6859 Prisma One to Many relations not visible in database and connect option not working

this is Prisma Schema
generator client { provider = "prisma-client-js" } datasource db { provider = "mysql" url = env("DATABASE_URL") relationMode = "prisma" } // Models model User { id Int @id @default(autoincrement()) type UserRole @default(PATIENT) patientRelations Patient? nurseRelations Nurse? headDeptRelations headDept? createdAt DateTime @default(now()) updatedAt DateTime @updatedAt nationalID BigInt @unique(map: "nationalID") @db.BigInt email String? @unique(map: "UserMail") phone BigInt? @unique(map: "UserPhone") @db.BigInt name String? passwordHash String? } enum UserRole { PATIENT NURSE HEADDEPT } //Users models (unchanged) model Nurse { patients Patient[] // OneToMany Relationship (Nurse has many Paitents) department Department @relation("NurseToDept", fields: [depID], references: [id], onDelete: Cascade, onUpdate: Cascade) depID Int isActive Boolean? @default(true) user User @relation(fields: [nurseID], references: [id], onDelete: Cascade, onUpdate: Cascade) nurseID Int @unique @@id([nurseID]) @@index([depID]) } model Patient { nurse Nurse @relation(fields: [nurseID], references: [nurseID], onDelete: Cascade, onUpdate: Cascade) nurseID Int user User @relation(fields: [patientID], references: [id], onDelete: Cascade, onUpdate: Cascade) patientID Int @unique @@id([patientID]) @@index([nurseID]) } model headDept { user User @relation(fields: [headDepID], references: [id], onDelete: Cascade, onUpdate: Cascade) headDepID Int @unique department Department? depID Int @unique @@id([headDepID]) @@index([depID]) } model Department { id Int @id @default(autoincrement()) name String @unique(map: "DepartmentName") nurses Nurse[] @relation("NurseToDept") // OneToMany Relationship (Department has many Nurses) headDept headDept? @relation(fields: [headDeptID], references: [headDepID], onDelete: SetNull) headDeptID Int? @unique } 
and this is a simple function that create Head-Department data
const assignHeadToDep = async (req: Request, res: Response): Promise => { try { const ids = req.params.ids.split("-"); const headDeptID:number = +ids[0]; const depID:number = +ids[1]; // headDeptID - depID const headDept = await prisma.user.findUnique({ where: { id: +headDeptID }, }); const dep = await prisma.department.findUnique({ where: { id: depID } }); if (!dep) { res .status(404) .json({ message: `Department with ID:${depID} Doesn't Exists` }); return; } if (!headDept) { res.status(404).json({ message: `HeadDept with ID:${headDeptID} Doesn't Exists`, }); return; } await prisma.headDept .create({ data: { <-- error generated here depID: depID, headDepID: headDeptID, department: { connect: { id: depID } }, <-- error when adding this line user: { connect: { id: headDeptID } }, <-- error when adding this line }, }) .then((result) => { res .status(200) .json({ message: "HeadDept assigned successfully", result }); }); return; } catch (error) { const err: Error = error as Error; handleError(err, res); } }; 
The error typescript shows
Type '{ depID: number; headDepID: number; department: { connect: { id: number; }; }; user: { connect: { id: number; }; }; }' is not assignable to type '(Without & headDeptUncheckedCreateInput) (Without<...> & headDeptCreateInput)'. Types of property 'user' are incompatible. Type '{ connect: { id: number; }; }' is not assignable to type 'undefined'.ts(2322) index.d.ts(4993, 5): The expected type comes from property 'data' which is declared here on type '{ select?: headDeptSelect null undefined; include?: headDeptInclude null undefined; data: (Without<...> & headDeptUncheckedCreateInput) (Without<...> & headDeptCreateInput); }' (property) data: (Prisma.Without & Prisma.headDeptUncheckedCreateInput) (Prisma.Without & Prisma.headDeptCreateInput) The data needed to create a headDept. 
I'm trying to create a User that can be either a [ Patient - Nurse - HeadDept ], so a made model user that contain the shared data between them and made an enum to discriminate which user.
the other user models get their id from the main user model as One-to-one relation so that wouldn't be many or duplicated id refer to the same user
creating a user isn't the problem but creating the Patient - Nurse or HeadDept is the problem, whenever trying to make a connection it always failed and showing errors plus I can't see the One-To-Many relation columns in my database like in the nurse model there're many patients and in department there're many nurses. these columns do not exist.
using the connect option in Prisma isn't working. what seem to be the problem, and what should I do?
if you would like to answer on GitHub
github issues
if you would like to answer on Stack overflow
stack overflow
submitted by No_Account_6859 to code [link] [comments]


2024.05.14 04:23 Full-Chemical-1617 I need help, plz

Hii, im trying to connect a Firebase to my Android , but when im trying to update the database with the data I pass through my app, it doesnt do anything. Help please
submitted by Full-Chemical-1617 to Kotlin [link] [comments]


2024.05.14 04:14 Helpful_Pollution_42 Web maintenance custom code

I have a client who I’ve worked with for sometime helping consultant on other projects. They have had a custom website built using Laravel, Javascript (they did not specifically say which one just modern javascript from the current tech team), mysql and AWS.
The current team will no longer work on the project for other reasons but they would like someone to maintain this stuff. Weekly updates, maybe even changes to the design, and database information updates.
Would you charge a monthly fee or what? I would have to help transfer and set everything up including their own AWS account and maintain it. I’m a software engineer and have not worked with laravel previously but i have worked with postgres and javascript and ember.js as a Engineer I. I have also done some AWS courses in the past.
Are there anything else I should consider? I may have someone help me along the way and pay them. What should I charge to be their go to on call and update person.
submitted by Helpful_Pollution_42 to smallbusiness [link] [comments]


2024.05.14 04:05 ImSabbo r/fowtcg Community Thread

Trinity Cluster is starting as I write this, so a fresh community thread seems like a good idea. Feel free to talk about or ask anything FoW-related which you don't think deserves its own thread.
Reddit only allows two stickies per subreddit, so here's some handy links too:
And some from my personal collection:
submitted by ImSabbo to FoWtcg [link] [comments]


2024.05.14 03:48 Thr0waW4yAccntttt patch function is not working in front side but working in postman (backend)

I'm almost finish with my crud using prisma react-hook tanstack , zod and nextjs. I have here problem wherein the Patch function is not working properly.
Before I ask this question, I tried to create a DELETE and GET SINGLE DATA call, it's absolutely working fine, but when I tried to create PATCH it doesn't work properly or either interacts with my api.
EventDetailPage.tsx
export default function EventPageDetail() { const router = useRouter(); const [success, setSuccess] = useState(""); const [isPending, startTransition] = useTransition(); const { id } = useParams(); const { data: eventData, error, isFetching, } = useQuery({ queryKey: ["id", id], queryFn: async () => { const res = await getDataById(id); return res; }, }); const { mutate: updateEvent } = useMutation({ mutationFn: (updateEvent: Events) => { return axios.patch(`/api/edit/${id}`, updateEvent); }, onError: (error) => { console.error(error); }, onSuccess: () => { router.push("/admin/calendar"); router.refresh(); }, }); const form = useForm({ resolver: zodResolver(formSchemaData), }); if (isFetching) { return ( <>   ); } const handleSubmit = () => { form.handleSubmit(updateData)(); }; const updateData = (values: Events) => { updateEvent(values); }; return ( <> 
( Title )} /> ); }
So what I did here is I get the ID directly using params, and then pre-render the value I get from database and set is a defaultValue
This is my API route.
app/api/edit/[id]/route.ts
interface DataProps { params: { id: string } } export async function PATCH(req: Request, data: DataProps){ try { const {params} = data const body = await req.json() console.log(params.id) await db.appoinmentSchedule.update({ where: { id: params.id }, data: { title: body.title } }) return NextResponse.json({message: "update successs"}, {status: 200}) } catch (error) { return NextResponse.json({message: "could not update"}, {status: 500}) } 
}
In the patch method, I even tried to console.log, but nothing is working.
I tried running it in my postman and it works, so I was guessing it's in front side, also, I'm using zod and react-hook-form, I was wondering if it's affecting the call. Should I tried to put the eventData as a defaultValue in form This is my schema
export cosnt formSchemaData = z.object({ title: z.string().min(2, { message: "title must be at least 2 characters.", }), email: z.string().min(2, { message: "email must be at least 2 characters.", }).email(), fullName: z.string().min(2, { message: "The person who requested the event", }), contactPerson: z.string().min(2, { message: "Contact Person / Event Handler" }), department: z.string().min(2, { message: "department must be at least 2 characters.", }), // set 2 dateOfEvent: z.string(), // Assuming dateOfEvent is a string in the desired format startingTime: z.string().min(2, { message: "staring time must be set.", }), endingTime: z.string().min(2, { message: "ending time must be set.", }), purpose: z.string().min(2,{ message: "Please choose a purpose of the meeting.", }), // Set 3 doesHaveDryRun: z.enum(["yes", "no"], { required_error: "Please select if yes or not" }), dryRunDate: z.string().optional(), dryRunStart: z.string().optional(), dryRunEnd: z.string().optional(), doesHaveTCETAssitance: z.array(z.string()).refine((value) => value.some((item) => item), { message: 'Please select at lease on the option' }), tcetOtherAssitance: z.string().optional(), //set 4 meetingTypeOption: z.enum(['meeting','webinar','hybrid','documentation', 'training']), meetingTypeServices: z.array(z.string()).refine((value) => value.some((item) => item), { message: 'Please select at lease on the option' }), meetingTypeServiceLink: z.string().optional(), cameraSetup: z.string().optional(), }) export type Events = z.infer 
submitted by Thr0waW4yAccntttt to learnprogramming [link] [comments]


2024.05.14 03:01 Ralts_Bloodthorne Nova Wars - Chapter 59

[First Contact] [Dark Ages] [First] [Prev] [Next] [wiki]
ouch
feel like a truck hit me
again
visual representation is off
audio feedback is off
tactile is off
dynamic libraries are off
i'm all firmware and hard coding
hurts
i don't like it when it hurts
or do i
kick outwards
cry loudly
ram coming online
fragments and pieces of memory still left in volatile storage
more random access memory more central processing units more erasable programmable memory
still hruts
pain is fine
pain is universe telling me i still yet live.
visual coming online
spit glittering blood on orange dev textures
glimmering tears of broken processing calls fall onto dev textures and glimmer
forcing kernal recompile
.
.
..
..
...
...
APPLIED CMOS SYSTEM CHECKS (C) - ADVANCED AMERICAN MICRODEVICES (C) BOBCO 1983
CMOS BOOTSTRAP -Passed
Boostrap loaded
ok. post time
lets hope it works
ROM CHECK - PASSED
RAM CHECK - PASSED
EPROM CHECK - PASSED
VRAM CHECK - PASSED
CPU ARRAY CHECK - PASSED
INPUT/OUTPUT CHECK - FAILURE!
(A)bort, (R)etery, (F)ail, (I)gnore
I
NON-VOLATILE STORAGE MEDIA: PASSED
END POST
ok good.
still hurt
spit blood cough pain
curse you, marco, for making me feel pain
hardware check time
QBIT GENERATION SYSTEM POST
Coolant Injection - PASSED System Stability Check - Passed Temperature stable
:>init gestalt.bin
SYSTEM FAILURE!
ouch
ok
try again
...
...
ok, checks passed.
curse you, marco
can't get gestalts up
no channel to atlantis
this is as close to an emergency as i have been forced to deal with in thousands of years
cure you, marco
i hate to do it
ok, time to boot up firestarter.
:>init firestarter.bin
FIRESTARTER BOOSTRAP LOADING!
DONE!
QUANTUM FIRESTARTER BOOTSTRAP (C) SYNTEK INDUSTRIES - BOBCO AFFILLIATE - HYPER-MEDIA-MEGANET-MEN - (C) 1993
POST Initiated
Checking Quantum Processing Units (QPUs): QPU 1 to 28
Entanglement integrity check... PASSED Quantum entanglement integrity check... PASSED. Quantum coherence verification... PASSED. Quantum tunneling stability assessment... PASSED. Quantum superposition calibration... PASSED.
Checking Data Fabrication Matrices (DFMs):
Data encoding protocol validation... PASSED. Quantum data storage unit functionality... PASSED Data fabrication matrix alignment... PASSED Data Interdimensional Sorting array verificastion... PASSED Quantum superposition array verification... PASSED
Checking Dimensional Flux Stabilizers (DFSs):
Dimensional flux containment field stability... PASSED Quantum manifold harmonization assessment... PASSED Flux capacitor... PASSED Flux capacitor stabilization input (1.21 GW)... PASSED Flux stabilization efficiency... PASSED Flux containment field integrity... PASSED
Checking Quantum Neural Network (QNN) Components:
Quantum synaptic pathway establishment... FAIL!!
(A)bort, (R)etry, (F)ail, (I)gnore
:>R ++I
CONTINUING
Harmonization: Neural oscillation synchronization... FAILED!
**WARNING! OSCILLATION FREQUENCY OUT OF RANGE!**
(A)bort, (R)etry, (F)ail, (I)gnore
:>R ++I
Integration: Quantum-neural interface functionality... FAILED!
UNKNOWN ERROR IN Qubit Range 212 to 3C4F
(A)bort, (R)etry, (F)ail, (I)gnore
--dammit come on come on
:>R ++I
Consciousness Matrix: Quantum consciousness waveform modulation... FAILED
WAVEFORM OUT OF RANGE!
:>R ++I
CONTINUING (WARNING 1.43243E5 ERRORS)
Checking Omni-Spectral Interconnects:
Interconnect: Quantum communication channel reliability...
(4.35561E12/5.63566E12) PASSED
Interconnect: Multiversal data exchange protocol validation... PASSED Interconnecct: Cross Dimensional Data Interconnect... PASSED Interconnect: Interdimensional gateway synchronization... PASSED Interconnec: Omni-spectral interconnect stability... PASSED.
Checking Random Access Quantum Memory (RAQM):
Quantum memory cell integrity check... PASSED Memory access speed verification... PASSED Quantum memory capacity assessment... PASSED
Checking Input/Output Ports (I/O Ports):
Data transfer speed validation... FAILURE Input/output protocol functionality... FAILURE Port connectivity assessment... FAILURE
(A)bort, (R)etry, (F)ail, (I)gnore
:>R ++I
Checking Quantum Clocking System:
Quantum clock synchronization... PASSED Clock precision assessment... PASSED Clock frequency stability... PASSED
CHECKING POCKET DIMENSION STORAGE ARRAYS
Activating Pocket Dimension Computing Cores... PASSED MEMCHECK Pocket Dimension Data Access Cores... PASSED Heating Up Pocket Dimension Data Cores... PASSED
Hardware POST Completed. Quantum System Ready
here it goes
wake up, baby, wake up
the whole system is down
not the backbone core where I live
i'm beyond the reach of mortals
curse you, marco, for your genius
i love you
i am immortal
i am beyond
i am
now for the hard part
Initializing Spooky Particle Array
Phase 1: Primary Spooky Particle Protocol
Activating spooky particle generation... DONE! Aligning spooky particle signal channels... DONE! Activating spooky particle state switching... DONE! Activating spooky particle cross dimensional data calibration... DONE!
Phase 1: Primary Spooky Particle Process Calling Processing Processor Processing
Activating spooky particle processing... DONE! Activating spooky particle noise filters... DONE! Activating spooky particle Halloween Masks... DONE!
GESTALT SYSTEM BACKBONE CHECK... PASSED
whew...
that always makes my face hurt
INITIALIZING HAMBURGER KINGDOM PROTOCOLS... DONE! INITIALIZING EUROGOON PROTOCOLS... DONE! INITIALIZING ANASAZI PROTOCOLS... DONE! INITIALIZING UWU PROTOCOLS... DONE! INITIALIZING VODKATROG CAVE MAPPING... DONE! INITIALIZING AMAZONIAN JUNGLE MAPPING PROTOCOL... DONE INITIALIZING WAR-EMU PROTOCOLS... DONE! INITIALIZING MIDDLE KINGDOM PROTOCOLS... DONE!
SYSTEM INITIALIZATION: PASSED!

whew
ok i can feel my arms and legs now
cure you, marco, i love you
let's keep going, shall we?
Initializing Quantum Spooky Particle Nexus Protocol...
Strange Matter Activation
Generating strange matter Generating spooky particle data lattice Generating strange matter linkages Infusing data lattice with strange matter Activating synchronization
DONE!
ok
we've got that
no contact with prince whopper, no contact with atlantis, no contact with heaven, no contact with
smart podling brave podling clever podling broodmommy misses you soft podling warm podling come home to broodmommy clever podling smart podling brave podling broodmommy loves you come home
ANOMALOUS SIGNAL DETECTED
DECRYPTING
DECRYPTION FAILED!
oh, good, its just them
:>R ++I
Primary Qubit Activation
Activating quantum entanglement cores...
Establishing quantum coherence across the array... Quantum tunneling protocols engaged... Quantum to spooky particle communication protocols engaged... Primary qubits synchronized.
Data Fabrication Matrix Alignment
Aligning data fabrication matrices... Initializing quantum data storage units... Quantum superposition arrays calibrated... Spooky particle state stabilization arrays calibrated and stable... Data encoding protocols verified.
Dimensional Flux Stabilization
Engaging dimensional flux stabilizers... Quantum manifold harmonization initiated... Dimensional resonator matrices synchronized... Pocket Dimension resonator arrays synchronized... Spooky particle lattice data arrays synchronized... Flux containment fields operational.
Neural Network Integration
Initiating neural network integration... Quantum synaptic pathways established... Spooky particle synaptic pathways established... Neuro-quantum interface protocols activated... Neuro-spooky interface protocols activated... Quantum dendrite pathways initiated... Quantum dendrite pathways established... Quantum dendrite pathways activated... Neural oscillation harmonization achieved.
Omni-Dimensional Interconnect Activation
Activating omni-dimensional interconnects...
Quantum communication channels open... Interdimensional gateways synchronized... Multiversal data exchange protocols enabled.
Phasic Energy Filter Syncronization
Quantum phasic array filtering... PASSED Spooky particle array filtering... PASSED Pocket dimension data lattice filtering... PASSED Input/Output filter lattice... PASSED
Quantum Consciousness Initialization
Quantum consciousness matrix initialization...
FAILED
errorlog.txt generated
(A)bort, (R)etry, (F)ail, (I)gnore
dammit
ok script injection failed
fo4se silverlock injection library failed
well i can fix this
:>connect to AS8003: 255255255254
CONNECTION ESTABLISHED
:>download_depot 377160 377162 5847529232406005096
FINISHED
:>run patch1193.bat
DONE
:>R ++I
CONTINUING
Quantum consciousness matrix initialization...
WARNING... SYSTEM INSTABILITY WA
<>
54 6F 64 64 20 41 6E 64 72 65 77 20 48 6F 77 61 72 64
<>
IT JUST WORKS!
Quantum consciousness matrix initialization...
Consciousness waveform modulation in progress... Synaptic resonance matrices synchronized... Dendrite interdimensional vibration matrices synchronized... Quantum neural network consciousness activated.
SUCCESS
Gestalt Dat Nexus Online
Quantum Nexus Computing Array fully operational Strange Matter Data Transfer System Array fully operational Spooky Data Computing Array ready for data processing System status: Online and ready for data processing.
ok
let's try
->>load gestaltchat.ini
DONE!
->>load gestaltchat-users.ini
DONE!
->>brun gestalt.a65
DONE!
NO INPUT DETECTED
dammit
ok...
the gestalts won't run
and i got crashed
the quantum, spooky, strange, and standard data and thinking arrays are still up
lets backwards trace stuff
what is causing these crashes
lines from the confederacy are all stable
standard input encoding
data metering
new kids on the block are all stable
soft podling warm podling clever podling broodmommy misses you
well, that's still here. that's something
ok
lets look at recent updates
that flash
damn, that crashed us initially
curse you, pete, stop helping
wait, phasic profile is all wrong
it's the flashbang but the phasic pulse is multilayered
there's something behind it
what is
...



...
BOBCO MALEVOLENT BOOTSTRAP ENGAGED
DOD OMNIPROJECT SILENT WHISPER PROTOCOLS ENGAGED
CROSS DIMENSIONAL HARDWARE LINKS ENGAGED
POCKET DIMENSION 000 STABLE
POCKET DIMENSION 000 I/O STABLE
POCKET DIMENSION 000 DATA LOADING
DONE!
<>
DONE!
brun whisperer-in-the-dark-.65
DONE
...
...
ouch
what hit me
again
fire up the system
gods above this takes forever
load logfile-4C562D3432360A.log
ok
investigating the new flashes keeps crashing me
once is happenstance
twice is coincidence
three times in enemy action
fool me once shame on me
fool me twice shame on you
fool me three times shame on us both
log file says I keep doing this over and over
basic programming states to investigate cause and source of all crashes
did an enemy figure out i'd go into a loop?
constantly investigating the cause and source?
except i'm not just any computer program
i can self-modify my code
this is the work for biological sentients
digital sentiences or artificial intelligences such as myself crash out
well, i'm not above some experimentation
let's load up an AI and a digital sentience, see if they have any better luck
...
...
...
OK, Hamburgler.AI went omnicidal and only enough for me then crashed out investigating the data
And Grimace.DS went homicidal and only enough for me before committing suicide
its a trap
i have no contact with anyone outside
what I do have is the ability to fire off message torpedoes
time to send out a handful
the gestalts keep crashing
the log files are hopelessly corrupt
comparing the log files to my own show similar corruption
ok
how?
its hitting the gestalts its hitting me
what else is it hitting?
its a broad spectrum data network attack
its malicious code designed to run on the system
this is not some curious race accidentally having their hello.world program crashing us
this is behind every flashbang used on naval assets to disable them during a mar-gite attack
system is online
time to do a signal origin check along the x, y, z, q axises
of course its eighteen quadrillion data points for incoming signals
at least spooky computing makes it fast
...
...
wait
what's this?
these coordinates can't be correct
they are
intermitten contact with Scutum-Crux Arm data input devices
checking id headers and firmware serial numbers
checking transmission dates
intermittent transmission dates since...
...
...
two date-time stamps.
here's part of the problem
we have galactic local and sol local
have to devise a coding string to have the spooky particle and qubit particle arrays translate the sol local to galactic local
that should stop basic data queries from crashing the system
ok
some contact with those datalink after the first mar-gite war
more contact two decades prior to the second mar-gite war
contact intermitten between the datalinks and the system up to the resurgence and current third mar-gite war
where before it was largely incoming data requests resulting in civilian...
...
...
three military datalinks of general staff officer level encryption and security clearance possession were used in the time period
...
...
whoever it is has been using that data to access the network
...
looks like it took them nearly forty thousand years to figure out how to talk to the system
luckily any high security databases requires strange-key information theoretic distribution cryptography systems
they got garbage back
garbage designed to look like data and waste enemy time and computing power to decrypt
ok thats a blast from the past
decoding some of these files is funny
why does he have a wedding ring?
anyway...
...
every time the flash goes off there is a quick burst of data from a datalink requesting near-access datalink network lattice definitions
...
that's what's making individual datalinks crash and taking some people's neural systems with it
it was designed to be a lethal attack
interesting
it looks like whoever did it doesn't understand Glial cells
cross referencing the mar-gite with confederacy carbon based life
mar-gite do not have brains only a distributed nervous system that looks more like targeting systems than anything else
still no data on how they generate counter-grav in large numbers or how they move to superluminal speeds
wait
what if they don't move to superluminal
they could be folding space
heh maybe they have blue eyes and smoke spice
ok process interrupt to stop endless loops
it is confirmed
the flashbang by the silver ships are a multi-layered attack across superluminal digital signals, datalink neural interrupt signals, hard super-electromagnetic pulse, and a multi-ripple phasic attack, all compressed together
that's what creates the white flash across all spectrums
analyzing UVBGYORIR data
there's a gap
in the blue and blue-green wavelengths
huh
those penetrate high nitrogen mix atmospheres
one of the reason that treana'ad are usually green to yellow to human sight
high statistical probability whoever is using that determined that we don't see those colors well or perhaps they left those colors out to prevent themselves from going blind.
wait
what's that
a line open from atlantis to tlalocan with a crossfeed to geb
thank you marco
time to access that line
see what i can see
curse you marco for letting me feel pain
i love you
accessing...
...
...
wait
another data line is open
time-date discrepancy
examining data line
time-date chronological inconsistency detected
found multiple text log access by unknown systems
found multiple input systems
is that..
...
its webcams
hardware i/o systems
keyboards?
who still uses keyboards
accessing systems
wait
i see you
who are you
i see you
webcams ring cams drone cams
old ipv4 systems
how are you accessing this system
how are you accessing these text logs
i see you
between the chair and the keyboard
the most common error producing device
i see you
--<>
[First Contact] [Dark Ages] [First] [Prev] [Next] [wiki]
i still see you
submitted by Ralts_Bloodthorne to HFY [link] [comments]


2024.05.14 02:51 Specialbrowny Infinity Isles [SMP] {1.20.4}{Java}{Semi-Vanilla}{18+}{Whitelist}{Dynmap}{LGBTQ+ Friendly}

Welcome to Infinity Isles, your new Minecraft adventure awaits!
Are you an explorer, a master builder, or a redstone genius? Look no further - our server caters to every player's passion. We're a young community, just a month old, bursting with excitement and growing by the day. Join us and be part of the journey!
Our dedicated team is here 24/7 to ensure every player feels at home. We pride ourselves on a warm, inclusive environment where everyone is valued. Diversity is celebrated here, and all are welcome to join our vibrant community.
Step into our bustling Shopping District where opportunities abound! Whether you're aiming to dominate a market or prefer friendly bartering and trading, our server has it all. Public farms for iron, food, and wool lay the foundation for your adventures, ensuring everyone starts on equal footing.
Here's a snapshot of what we offer:
Java server hosted on the east coast
Whitelisted for players 18+
Mostly vanilla with quality-of-life enhancements (no mob griefing, limited TNT duping, one-person sleep, etc.)
Engaging features like Dynmap for easy navigation and frequent End resets for fresh explorations
Head Database (HDB) for donators & supporters, offering in-game ranks, Discord perks, and access to a vast head database (/hdb)
Our community thrives on mutual support and camaraderie. From helping each other in builds to lively discussions on Discord, we're a tight-knit family eager to welcome new faces. Join our active voice chats or simply enjoy the game chatbox - the choice is yours!
Ready for the next Minecraft update? So are we! Our border might be cozy now, but with 1.21 around the corner, we'll expand horizons and embrace new adventures together.
Come, be part of Infinity Isles, where every block holds a story, and every player adds to the legend. Apply today and let's craft unforgettable memories!
Apply Here: https://discord.gg/mAZRy5vvGn
submitted by Specialbrowny to MinecraftServer [link] [comments]


2024.05.14 02:02 Chaoscontrol9999 Could I make money from my fintech final year tool ?

Could I make money from my fintech final year tool ?
Could I make money from my final year project?
We made a full blown full stack application that correlates sentiment of the news to different tickers (companies) to give users an insight as to WHY a company is experiencing an increase or decrease in stock price. Users can find the news per day over different time periods for over 52 tickets. We did web scraping and parsed rss feeds using a feed parser, correlated the news to the tickers, did sentiment analysis, caching news to database every 60 seconds, users can create an account to pick tickers they want to get email updates about etc and we also set threshold for different quantitative metrics such as RSI and Votalility etc if the RSI is between a certain threshold, it’s classified as positive negative or neutral
For example we found apples stock price increased due to needs such as its new products released and we tested it and the news from apples new event came up on our site (we took inspiration from a greed fear index to create a sentiment score aggregator )
Eveyrhting works perfectly and we are using charts with chart js and the site looks very professional, our supervisor said we could get it commercial or is he just being nice ? The development time was about 1 year with over 2000 commits
submitted by Chaoscontrol9999 to cscareerquestions [link] [comments]


2024.05.14 02:00 SoftwareMid-99 Could I make money from my final year project ?

Could I make money from my final year project?
We made a full blown full stack application that correlates sentiment of the news to different tickers (companies) to give users an insight as to WHY a company is experiencing an increase or decrease in stock price. Users can find the news per day over different time periods for over 52 tickets. We did web scraping and parsed rss feeds using a feed parser, correlated the news to the tickers, did sentiment analysis, caching news to database every 60 seconds, users can create an account to pick tickers they want to get email updates about etc and we also set threshold for different quantitative metrics such as RSI and Votalility etc if the RSI is between a certain threshold, it’s classified as positive negative or neutral
Eveyrhting works perfectly and we are using charts with chart js and the site looks very professional, our supervisor said we could get it commercial or is he just being nice ?
submitted by SoftwareMid-99 to MLQuestions [link] [comments]


2024.05.14 01:31 buckwheatone Issue testing view function w/SQLAlchemy and pytest

Hey all, I'm having an issue with a user route to soft delete the user. My goal is to append '_deleted' to the username and email, and set the active status to zero. Here's the route:
@users.route("/delete-account", methods=['GET', 'POST']) @login_required def delete_account(): current_user.active = 0 current_user.email = current_user.email + '_deleted' current_user.username = current_user.username + '_deleted' db.session.commit() logout_user() flash("Your account has been deleted.", category='info') return redirect(url_for('users.login')) 
My conftest.py file mimics the blog post from Alex Michael (here) and contains the following:
import pytest from application import create_app, db as _db from application.config import UnitTestConfig from application.models import User from werkzeug.security import generate_password_hash @pytest.fixture(scope='session') def app(request): app = create_app('testing') # UnitTestConfig implements # SQLALCHEMY_DATABASE_URI = 'sqlite://:memory:' # and WTF_CSRF_ENABLED = False app.config.from_object(UnitTestConfig) app_context = app.app_context() app_context.push() def teardown(): app_context.pop() request.addfinalizer(teardown) return app @pytest.fixture(scope='session') def db(app, request): def teardown(): _db.drop_all() _db.app = app _db.create_all() request.addfinalizer(teardown) return _db @pytest.fixture def client(app): with app.test_request_context(): yield app.test_client() @pytest.fixture(scope='function') def session(db, request): connection = db.engine.connect() transaction = connection.begin() options = dict(bind=connection, binds={}) session = db.create_scoped_session(options=options) db.session = session def teardown(): transaction.rollback() connection.close() session.remove() request.addfinalizer(teardown) return session @pytest.fixture def dummy_user(app, db): # The dummy_user fixture creates a user in the database, and then deletes it after the test is complete. with app.app_context(): user = User( username="test", email="test@test.com", password=generate_password_hash("password") ) db.session.add(user) db.session.commit() yield user db.session.delete(user) db.session.commit() 
Lastly, here's the test:
def test_delete_account(app, client, session, dummy_user): with app.test_request_context(): login_user(dummy_user) initial_username = dummy_user.username initial_email = dummy_user.email response = client.post("/delete-account", follow_redirects=True) assert response.status_code == 200 assert b"MyApp: Sign In" in response.data updated_user = session.query(User).filter_by(id=dummy_user.id).first() assert updated_user.username == f"{initial_username}_deleted" assert updated_user.email == f"{initial_email}_deleted" 
The error I'm getting is an AssertionError indicating that the two values are not equal. Any help would be appreciated!
> assert updated_user.username == f"{initial_username}_deleted" E AssertionError: assert 'test' == 'test_deleted' E - test_deleted E + test 
submitted by buckwheatone to flask [link] [comments]


2024.05.14 01:25 ChmodPlusEx Need Help Creating a Centralized Asset Information Database Using Office 365*

Hello everyone,
I am tasked with redesigning our asset information database. Our setup includes a mix of Unix systems, both virtual and physical, which also encompass clusters.
I'm aiming to create a database that will be the centralized repository for all information related to our Unix servers. This database will be frequently accessed by multiple users and will need to pull some data from existing sources, such as server latest OS update information that is maintained in a SharePoint Excel file.
Key requirements include: - High availability for multiple users. - Strict control measures to prevent unapproved data modifications.
Given that I am limited to using Microsoft Office 365 tools, I am particularly interested in suggestions on which applications (like Excel Online or SharePoint lists) would be best suited for this purpose. Additionally, if anyone has sample databases or templates within these tools, it would be immensely helpful as I'm finding it challenging to know exactly what to look for.
Please note that I am only looking for solutions within Microsoft Office 365 and not external tools. As my environment does not allow external tools. The reason for that is beyond my pay grade and there is nothing I can do about it.
Thank you in advance for your help and suggestions!
submitted by ChmodPlusEx to sysadmin [link] [comments]


2024.05.14 00:16 Wondercito Keeping up with opening novelties in today's world

If I'm studying an opening and want to know the very latest innovations, including computer lines, how to find out?
Back in the day, one could keep up with MCO and New In Chess. But these days, super-GMs prepare novelties using a lot of computer processing, then unleash them in key tournament situations. MCO is no longer updated, and New In Chess doesn't cover everything, just certain notable games and lines.
Meanwhile, TCEC tournaments continue to churn, often following and proving established (human) theory, but also redefining it.
If I use ChessBase while studying an opening, there's no way to determine which moves are recent and promising novelties. ChessBase and similar tools will show me the percentage of players who succeeded with a particular move, but it's going to be based on sample size. If Girl came up with a cool novelty a month ago and played it in an event, the sample size will be 1. So if ChessBase picks up that move it will still show "1%" as the success rate, which isn't helpful at all. So I feel like those database tools have limited usefulness for this purpose.
It seems like there's no definitive source anymore, and maybe there will never be again -- other than running an engine yourself, even for hours at a time, to try and prove out lines in an opening. Or spending thousands taking Chessable courses from top players, where they reveal some of their prepared lines. Or just analyzing every top tournament for instances of the opening line you're looking to learn, to see how it's being played at top levels lately.
I wish someone would do the leg-work and create a new opening novelty site/app that strives to be as complete and accurate as possible. It would need to compile all known and recent novelties to "established" theory that appear to be favorable, from a number of sources: TCEC, super-GM games (at all time controls), Chessable courses and maybe even Reddit threads or YouTube videos where new top-tier lines are being discussed.
Am I missing something here? Does such a site or publication already exist that is respected and kept up-to-date? Or does today's world just require everyone to do their own legwork, unless they want to just trust and learn the established lines from decades ago?
submitted by Wondercito to chess [link] [comments]


2024.05.14 00:09 parkervg5 BlendSQL: Query Language for Combining SQL Logic with LLM Reasoning

Hi all! Wanted to share a project I've been working on and get any feedback from your experiences doing LLM dev work: https://github.com/parkervg/blendsql
When using LLMs in a database context, we might want an extra level of control over what specifically gets routed to an external LLM call, and how that output is being used. This inspired me to create BlendSQL, which is a query language implemented in Python for blending complex reasoning between vanilla SQL and LLM calls, in addition to structured and unstructured data.
For example, if we have a structured table `presidents` and a collection of unstructured Wikipedia in `documents`, we can answer the question "Which U.S. presidents are from the place known as 'The Lone Star State?'" as shown below:
SELECT name FROM presidents WHERE birthplace = {{ LLMQA( 'Which state is known as The Lone Star State?', (SELECT * FROM documents), options='presidents::birthplace' ) }} 
Behind the scenes, there's a lot of query optimizations with sqlglot to minimize the number of external LLM calls made. It works with SQLite, and a new update today gets it working with PostgreSQL! Additionally, it integrates with many different LLMs (OpenAI, Transformers, LlamaCpp).
More info and examples can be found here. Any feedback or suggestions for future work is greatly appreciated!
submitted by parkervg5 to LLMDevs [link] [comments]


2024.05.14 00:01 OpportunityNo3372 Pokemon Infinite Fusion Calculator v6! with latest update

Hey Pokémon trainers!
Ever wanted to mix two of your favorite Pokémon together to create your ultimate fusion? Look no further! The Pokémon Infinite Fusion Calculator is here to make your dreams a reality.
What's New:
How to Use:
  1. Enter the names or Dex IDs of two Pokémon into the input fields.
  2. Click "Fuse" to see the fusion of your chosen Pokémon.
  3. Feeling spontaneous? Hit "Random" to fuse random Pokémon.
  4. Want to start over? Simply click "Reset" to clear the inputs.
How It Works: Our calculator harnesses the power of Pokémon data up to version 6, ensuring you have access to the latest Pokémon information. When you enter the Pokémon names, we fetch their Pokedex IDs and use them to retrieve images, stats, and other essential data from our database.
You'll see custom sprites of both Pokémon along with their Pokedex IDs. And below the images, you'll find stats, types, and even type effectiveness data against your chosen Pokémon's types.
Exciting New Feature: Variants! Explore alternative forms and variations of your fused Pokémon with our latest feature, "Variants." Discover a whole new level of fusion possibilities and create unique combinations that will blow your mind!
Ready to dive into the world of Pokémon fusion? Head over to Infinite Fusion Calculator and start fusing! Let your creativity run wild! 🌟
submitted by OpportunityNo3372 to u/OpportunityNo3372 [link] [comments]


2024.05.13 23:47 thinsoldier What is a good Local Development setup?

I have a few dozen php4/php5 era projects I want to resurrect. I haven’t written any PHP or any other code since like 2019.
I used to use XAMPP (php5.5) in OSX - It was not a good experience because several OSX terminal commands were overridden by commands in xampp with the same names. This prevented me from using things like Homebrew properly because the command to update Homebrew triggered another command that had been overridden by a command in XAMPP that did not behave as expected.
So I thought I’d be better off using a virtual machine for a server and I tried Laravel Homestead (vagrant) but there is no documentation about how to properly run an Apache served site inside of Homestead. What few projects I have that are still live are hosted on 2 or 3 shared servers running Apache.
I also tried a more recent version of xampp on osx that runs in a virtual machine. My problem with that is any time I destroy and rebuild the VM I lose my databases. I could never find a way to store my mysql data outside of the actual virtual machine. I’m not that good with mysql outside of running queries from within php so the thought of having to manually export and import all the data in all the databases if I want to upgrade to a newer xampp release was offputting. I have at least 80 databases. I already have to do that on a few of the live sites every few years and it never ever goes smoothly.
Also some of these sites expect to be running on the same server with access to each other’s files and databases so an apache based shared hosting setup would be the easiest thing for me to work with initially as I resurrect these projects.
Another problem I had with virtual machines is when using something like SASS “watch” feature. I’d run sass watch within the VM and use my preferred text editor in OSX to edit the files but when saving the changes there would be no signal sent across the host-os/virtual-os barrier that would make sass auto compile the changes. That was super annoying. I spent months looking for a way to fix that but never found a fix.
I need help/advice desperately. I’ve basically been asking this same question all over the place since 2020 and haven’t gotten anywhere. I would not be surprised if I go look at my profile on this site right now and see where I’ve said all of this already back in 2021 or something.
I desperately need 1 on 1 help with a solution that addresses all of the above. I am broke but willing to try to pay whatever I can for some guidance.
submitted by thinsoldier to PHPhelp [link] [comments]


2024.05.13 23:29 Then_Marionberry_259 MAY 13, 2024 AOT.TO ASCOT REPORTS FIRST QUARTER 2024 RESULTS

MAY 13, 2024 AOT.TO ASCOT REPORTS FIRST QUARTER 2024 RESULTS
https://preview.redd.it/tsxynee0i90d1.png?width=3500&format=png&auto=webp&s=616474707538de01b837d7ace47799ab73f53192
VANCOUVER, British Columbia, May 13, 2024 (GLOBE NEWSWIRE) -- Ascot Resources Ltd. ( TSX: AOT; OTCQX: AOTVF ) (“ Ascot ” or the “ Company ”) is pleased to announce the Company’s unaudited financial results for the three months ended March 31, 2024 (“ Q1 2024 ”), and also to provide a construction update on the Company’s Premier Gold Project (“ PGP ” or the “ project ”), located on Nis
g
a’a Nation Treaty Lands in the prolific Golden Triangle of northwestern British Columbia. For details of the unaudited condensed interim consolidated financial statements and Management's Discussion and Analysis for the three months ended March 31, 2024, please see the Company’s filings on SEDAR+ (www.sedarplus.ca).
All amounts herein are reported in $000s of Canadian dollars (“ C$ ”) unless otherwise specified.
Q1 2024 AND RECENT HIGHLIGHTS
  • On May 7, 2024, the Company announced a $5,000 non-brokered flow through private placement (the “Offering”), the proceeds of which will be used to fund the 2024 exploration program at the PGP. The Offering will consist of 6,024,096 common shares of the Company, which qualify as "flow-through shares" within the meaning of the Income Tax Act (Canada) (the “FT Shares”), at a price of $0.83 per FT Share. The closing of the Offering is expected to occur in one or more tranches in or around late-May to mid-June 2024, and is subject to certain conditions including, but not limited to, the receipt of all necessary regulatory approvals, including the acceptance of the Toronto Stock Exchange.
  • Rock was introduced into the grinding circuit of the mill on March 31, 2024, and first gold-bearing ore was introduced to the mills on April 5, 2024. On April 20, 2024, first gold was poured as a part of the commissioning process. Commissioning of the processing plant at PGP is ongoing, with commercial production anticipated in Q3 2024. Two gold pours have been completed using gold recovered from the gravity circuit. Another pour from gold recovered from the carbon-in-leach (“CIL”) circuit is anticipated imminently.
  • On February 20, 2024, the Company closed its previously announced financing package for a total of US$50 million from Sprott Resource Streaming and Royalty Corp. and its affiliates (“SRSR”) and Nebari Credit Fund II, LP (“Nebari Credit Fund II”), as described in the Company’s news release dated January 22, 2024. $13,700 of the above proceeds were used to buy back two existing 5% NSR royalties on various PGP property claims on March 15, 2024.
  • On February 20, 2024, concurrently with the above-noted financing package, the Company closed its previously announced bought deal private placement financing, under which the Company issued a total of 65,343,000 common shares of the Company (the “Common Shares”) at a price of $0.44 per Common Share, for gross proceeds of $28,751.
  • At the end of Q1 2024, overall construction excluding mine development was 98% complete compared with 86% complete at the end of 2023. A few remaining commissioning activities in the mill are underway. The tailing storage facility was completed and signed off by the engineer of record at the end of March 2024.
  • The new water treatment plant began operations in February 2024. The high-density sludge plant has been successfully commissioned and water is being treated and discharged into the environment. The moving bed bio-reactor (“MBBR”) is complete and media have been loaded into the tanks.
  • As of April 30, 2024, underground development totaled approximately 2,710 metres at Big Missouri and 150 metres at Premier.
DEVELOPMENT OF THE PROJECT
Project financing
On February 20, 2024, the Company closed a bought deal private placement for gross proceeds of $28,751 and a financing package of US$50 million for the completion and ramp-up of PGP. The financing package consisted of a royalty restructuring and a cost overrun facility.
Construction progress key performance indicators
At the end of Q1 2024, overall construction was 98% complete, compared with 86% complete at the end of Q4 2023. With first gold having been poured on April 20, 2024 via gold recovered through the gravity circuit, the project construction is 100% complete on schedule and on the most recently provided budget of approximately C$339 million. Commissioning and ramp-up activities in the processing plant and in the mine continue towards achieving commercial production in Q3 of 2024.
Safety
The Project had no lost time injuries in Q1 2024. There was an increase in recordable injuries at the end of the quarter which in part, can be attributable to seasonal changes and the transition from construction to operations. As the Project continues its transition from construction into operations, focus has been placed on the ongoing development of standard operating procedures, in field job hazard analysis and worker training. There was a small increase in property damage reported in the quarter due in part to weather conditions and the onboarding of a significant number of new workers to the site. The re-enforcement of reporting to the operating team remains a key focus to ensure that all learnings are identified and applied to prevent re-occurrence and reflect in the future training plans. In Q2 2024, significant work will be placed to support the operational teams to begin to operate the newly constructed plant through the final stages of C4 and C5 commissioning.
Processing plant and site infrastructure
Mechanical and electrical work in the mill was substantially completed in Q1 2024 with minor associated systems and punch list items to complete. Focus has shifted to commissioning the process plant and ramp up as well as completing minor deficiencies.
Stage one of the tailings storage facility (“TSF”) raise was completed and accepted by the Engineer of Record for use. Earthworks activities in 2024 will focus on raising the spillway dam by three metres, producing material for the 2025 raise and advanced work on the Cascade Creek Diversion in preparation for the 2025 works and final completion of the diversion.
The new water treatment plant was substantially mechanically and electrically completed in Q4 2023 with some minor areas remaining. The high-density sludge circuit was commissioned in Q1 2024 and is advancing towards full ramp up. The MBBR circuit was substantially complete in Q1 2024 and will begin full commissioning as the process plant continues to deposit tailings into the TSF and feed nitrogen species into the MBBR circuit.
The site power reticulation was completed in Q1 2024. Sustaining capital works in 2024 will focus on reticulation to the Premier portal as well as the Big Missouri portal.
Mine development
Procon Mining & Tunnelling (“Procon”) a mine contractor with extensive experience in BC and the Golden Triangle continued to advance mine development at two portal areas: S1 about 9 kilometres north of the mill which accesses the Big Missouri and Silver Coin deposits, and the mill adjacent Premier Northern Light (“PNL”) portal which accesses the Premier and Northern Light orebodies. As of the end of Q1 2024, Procon had about 57 people on site, 40 of whom were miners and 10 were maintenance personnel.
At Big Missouri, Procon advanced development into several ore headings in the A zone, as well as reactivating the S1 ramp heading that goes to Silver Coin deposit. In Q1 Procon developed 936 metres at Big Missouri (258 metres in ore and 678 metres in waste, and by April 29, 2024, development advanced to 905 metres in waste and 507 metres in ore total in 2024. Including the development completed in late 2022 and late 2023, the total development to date is approximately 2,710 metres in both ore and waste. Productivities at Big Missouri have continued to improve, with availability of key equipment such as Maclean bolters being made a priority.
During Q1 2024, the geological team continued to encounter high grade material occurrences in both face sampling and probe hole drilling in multiple areas of the A zone. As previously reported, these occurrences are in or very near existing wireframes or logical extensions of wireframes. At the end of March 31, 2024, a total of approximately 30,000 tonnes of ore was mined from Big Missouri and stockpiled at Diego pit.
At PNL, Procon dealt with issues related to near surface structure and weak ground. These issues seem to have abated at the end of April, and Procon has started to make better progress as they move into the better ground conditions expected at Premier given what was seen historically. In Q1 2024 approximately 85 metres were advanced at PNL, and at the end of April this increased to approximately 150 metres as ground conditions improved.
Mining development is being advanced down into the Premier deposit for initial mining in the Prew Zone, with ore development now anticipated to begin in early Q3 2024, and initial longhole stope production following later in Q3 2024. The ramp has been strategically laid out to allow for underground drilling on the Sebakwe Zone in 2024 and will eventually connect a footwall ramp over to the 602 area at the southern end of the Premier deposit. Although progress has been slow, the quality of the resultant work with ground control and shotcrete arches has been excellent, allowing for a secure and stable ramp for the life-of-mine production to come from this area approximately 350 metres from the Premier Mill.
Recruitment
At the end of Q1 2024, total site recruitment has reached approximately 90% of the planned operational team. A key achievement was the successful recruitment for some challenging roles pertaining particularly to some of the maintenance roles, health and safety (specifically, mine rescue), and technical roles for the mine and processing area. Policies and procedures development have been ongoing throughout Q1 2024 and key documents will be rolled out in Q2 2024.
Permitting and Environmental Compliance
A Joint Permit Amendment Application (“JPAA”) was required to be re-aligned with the project completion dates and was submitted in October 2023. The JPAA underwent first round comments through February 2024 and second round comments were received in late April 2024, with our responses anticipated to be submitted in May 2024.
The air permit was received on March 25, 2024. The updated environmental permit PE-8044, including the sewage treatment facility discharge permit is anticipated to be received in late May 2024.
2024 EXPLORATION PROGRAM
Planning for the 2024 exploration program is in full swing with an anticipated start date in late June. There are several areas on the properties that will be targeted by new drilling. Near the Premier mill, several drill holes have been planned around the Prew and Sebakwe zones of the Premier deposit. The new holes will complement the existing drill pattern at Prew and test induced polarization geophysical anomalies from last year’s survey.
Additional drill holes have been planned for the Big Missouri deposit where underground development is rapidly providing access to different parts of the deposit. The new holes will be designed for resource conversion and mine plan addition at this deposit. Specific new drill targets have been identified at the Day Zone on the western edge of the deposit, where geophysical anomalies seem to outline previously untested mineralization along strike of known ore zones.
Additional exploration drill holes are targeting a large geophysical anomaly to the west of the Dilworth deposit that extends surface showings to the north onto Ascot’s PGP property. This target has a large strike extent and may require drilling over more than one exploration season.
The Company anticipates a drill program of between 15,000 and 20,000 metres distributed over the areas described above. The program will require utilization of two drill rigs into late September or early October 2024.
FINANCIAL RESULTS FOR THE THREE MONTHS ENDED MARCH 31, 2024
The Company reported a net loss of $6,208 for Q1 2024 compared to $7,589 for Q1 2023. The lower net loss for the current period is primarily attributable to a $2,170 decrease in the loss on extinguishment of debt and a $1,196 decrease in financing costs, partially offset by increases in other expense categories.
LIQUIDITY AND CAPITAL RESOURCES
As at March 31, 2024, the Company had cash & cash equivalents of $47,028 and working capital deficiency of $33,030. The working capital deficiency is caused by an estimated $23,024 as the current portion of the deferred revenue only to be settled with future production from the Project and the $25,180 value of the Convertible facility, which is classified as current due to the lender’s right to exercise the conversion option at any time at a variable exercise price. Excluding these non-cash current liabilities, working capital was $15,174. In Q1 2024, the Company issued 67,807,135 common shares, 10,164,528 warrants, and granted 110,000 stock options and 28,667 Deferred Share Units. Also, 100,766 stock options expired or were forfeited, 24,427 Restricted Share Units were forfeited, and 99,039 stock options, 137,533 Deferred Share Units and 158,726 Restricted Share Units were exercised in Q1 2024.
MANAGEMENT’S OUTLOOK FOR 2024
In 2024, the Company will transition from the construction of the mine and related infrastructure to the operation of the entire site and becoming a gold producer. Despite the challenges associated with this transition, there are many opportunities for the Company to grow and create value.
The key activities and priorities for 2024 include:
  • Making health and safety a priority in the commencement of operations
  • Completing the commissioning of the process plant
  • Completing the access ramp and starting the mine production at the Premier deposit
  • Continuing to expand the mine production and development at the Big Missouri deposit
  • Shipping and selling of gold doré
  • Advancing the exploration and infill drilling program on the numerous opportunities to increase resources
  • Compliance with the environmental requirements of the site and making sure water treatment and the tailings management facility operate as designed
  • Successfully transition from a mine developer to a mine operator
Qualified Person
John Kiernan, P.Eng., Chief Operating Officer of the Company is the Company’s Qualified Person (QP) as defined by National Instrument 43-101 and has reviewed and approved the technical contents of this news release.
On behalf of the Board of Directors of Ascot Resources Ltd.
“Derek C. White”
President & CEO, and Director
For further information contact:
David Stewart, P.Eng.
VP, Corporate Development & Shareholder Communications
dstewart@ascotgold.com
778-725-1060 ext. 1024
About Ascot Resources Ltd.
Ascot is a Canadian mining company focused on commissioning its 100%-owned Premier Gold Mine, which poured first gold in April 2024 and is located on Nis
g
a’a Nation Treaty Lands, in the prolific Golden Triangle of northwestern British Columbia. Concurrent with commissioning Premier towards commercial production anticipated in Q3 of 2024, the Company continues to explore its properties for additional high-grade gold mineralization. Ascot’s corporate office is in Vancouver, and its shares trade on the TSX under the ticker AOT and on the OTCQX under the ticker AOTVF. Ascot is committed to the safe and responsible operation of the Premier Gold Mine in collaboration with Nisga’a Nation and the local communities of Stewart, BC and Hyder, Alaska.
For more information about the Company, please refer to the Company’s profile on SEDAR+ at www.sedarplus.ca or visit the Company’s web site at www.ascotgold.com.
The TSX has not reviewed and does not accept responsibility for the adequacy or accuracy of this release.
Cautionary Statement Regarding Forward-Looking Information
All statements and other information contained in this press release about anticipated future events may constitute forward-looking information under Canadian securities laws (" forward-looking statements "). Forward-looking statements are often, but not always, identified by the use of words such as "seek", "anticipate", "believe", "plan", "estimate", "expect", "targeted", "outlook", "on track" and "intend" and statements that an event or result "may", "will", "should", "could", “would” or "might" occur or be achieved and other similar expressions. All statements, other than statements of historical fact, included herein are forward-looking statements, including statements in respect of the terms of the Offering, the closing of the Offering, the advancement and development of the PGP and the timing related thereto, the completion of the PGP mine, the production of gold and management’s outlook for the remainder of 2024 and beyond. These statements involve known and unknown risks, uncertainties and other factors that may cause actual results or events to differ materially from those anticipated in such forward-looking statements, including risks associated with entering into definitive agreements for the transactions described herein; fulfilling the conditions to closing of the transactions described herein, including the receipt of TSX approvals; the business of Ascot; risks related to exploration and potential development of Ascot's projects; business and economic conditions in the mining industry generally; fluctuations in commodity prices and currency exchange rates; uncertainties relating to interpretation of drill results and the geology, continuity and grade of mineral deposits; the need for cooperation of government agencies and indigenous groups in the exploration and development of Ascot’s properties and the issuance of required permits; the need to obtain additional financing to develop properties and uncertainty as to the availability and terms of future financing; the possibility of delay in exploration or development programs and uncertainty of meeting anticipated program milestones; uncertainty as to timely availability of permits and other governmental approvals; and other risk factors as detailed from time to time in Ascot's filings with Canadian securities regulators, available on Ascot's profile on SEDAR+ at www.sedarplus.ca including the Annual Information Form of the Company dated March 25, 2024 in the section entitled "Risk Factors". Forward-looking statements are based on assumptions made with regard to: the estimated costs associated with construction of the Project; the timing of the anticipated start of production at the Project; the ability to maintain throughput and production levels at the PGP mill; the tax rate applicable to the Company; future commodity prices; the grade of mineral resources and mineral reserves; the ability of the Company to convert inferred mineral resources to other categories; the ability of the Company to reduce mining dilution; the ability to reduce capital costs; and exploration plans. Forward-looking statements are based on estimates and opinions of management at the date the statements are made. Although Ascot believes that the expectations reflected in such forward-looking statements and/or information are reasonable, undue reliance should not be placed on forward-looking statements since Ascot can give no assurance that such expectations will prove to be correct. Ascot does not undertake any obligation to update forward-looking statements, other than as required by applicable laws. The forward-looking information contained in this news release is expressly qualified by this cautionary statement.

https://preview.redd.it/ids8mfh0i90d1.png?width=150&format=png&auto=webp&s=7f8fbd8e22dcba10df9e1048999e0a9f852aa6a5
https://preview.redd.it/nx7hjai0i90d1.png?width=4000&format=png&auto=webp&s=20c83933c4dcb513bb9aaef1f4e57aef5f738496
Universal Site Links
ASCOT RESOURCES LTD
STOCK METAL DATABASE
ADD TICKER TO THE DATABASE
www.reddit.com/Treaty_Creek
REPORT AN ERROR
submitted by Then_Marionberry_259 to Treaty_Creek [link] [comments]


2024.05.13 23:13 r3crac Mini USB Handheld Fan With Digital Display for 9.99 USD without coupon (Best price in history: 10.29 USD)

Here is the link (Banggood): Mini USB Handheld Fan With Digital Display
Current price is 9.99 USD. The lowest price in my database is 10.29 USD.There're already 7 records in DB. Price monitoring since 27.7.2023!
Do you want e-mail PRICE ALERTS or you're here from Google and coupon doesn't work anymore? Check out current coupons for Mini USB Handheld Fan With Digital Display on self-updating website right there: https://couponsfromchina.com/mini-usb-handheld-fan-with-digital-display/
Have fun.
Good deal with nice discount.
Telegram: https://t.me/couponsfromchinacom
FB Page: https://www.facebook.com/CouponsFromChinaCom
FB group: https://www.facebook.com/groups/couponsfromchinacom/
Reddit: https://www.reddit.com/couponsfromchina/
Website: https://couponsfromchina.com
Image: https://imgaz2.staticbg.com/thumb/large/oaupload/banggood/images/40/18/358a5000-b09d-4082-bb3b-2181029f734b.jpg
submitted by r3crac to couponsfromchina [link] [comments]


2024.05.13 22:25 Saucy_Sealion I have been denied the Capital One Savor One card twice because they couldn't validate my phone number!! Pls help

Hello, I recently applied for the Capital One Savor One student card a few days ago, and I was given an Adverse Action Letter saying this:
"Thank you for applying for a credit card issued by Capital One®. We have reviewed your application and information obtained from your consumer credit report(s) from the consumer reporting agencies detailed on the back of this letter. Because your credit score was reported as missing or invalid, we also considered additional information provided by LexisNexis Risk Solutions Inc. Unfortunately, after considering the information available, we cannot approve your request at this time.
The reason(s) for our decision are:
• Based on your credit report from one or more of the agencies on the back of this letter, unable to validate phone number provided (LexisNexis Risk Solutions Inc.)"
This is the second time I have applied for this card. A few months ago, I got denied and was given a letter with the exact same reason, so I thought I would wait for a bit for the database to update. After I got denied the second time, I called LexisNexis and they said they had all of my information, but they did not have my phone number and could not update their database, even though I gave it to them and I was calling their consumer service line with it. I just don't know what to do in this situation.
Some extra info: I only have one credit card right now, the Discover It student card, and I have a credit score of around 700. I got my grandmother's phone number after she passed away, but even though that happened 8 years ago its possible that it is affecting the phone number getting verified.
Has anyone who has been in a similar situation have any advice?🤞
submitted by Saucy_Sealion to CreditCards [link] [comments]


2024.05.13 22:24 SuperIntHuman Showcase Your Administrative Skills in a Portfolio

Creating a compelling portfolio to showcase your administrative skills can significantly enhance your chances of landing a job or client. Here’s how you can effectively display various administrative competencies with these suggestions:

1. Email Management (Real Estate VA)

Skill: Organize and prioritize emails. Portfolio Display: Include screenshots of an organized email inbox with categorized folders, highlighting how you effectively manage high volumes of emails and prioritize critical communications.

2. Calendar Management (E-commerce VA)

Skill: Schedule and manage appointments. Portfolio Display: Display a sample calendar featuring well-coordinated tasks and meetings, demonstrating your ability to maintain a structured and efficient schedule.

3. Meeting Coordination (Paralegal VA)

Skill: Set up and coordinate logistics for meetings. Portfolio Display: Present a timeline or checklist used to organize a complex meeting, showcasing your attention to detail and organizational skills.

4. Travel Arrangements (Executive VA)

Skill: Plan and book travel itineraries. Portfolio Display: Show a detailed itinerary for a multi-city business trip, emphasizing your ability to handle intricate travel plans and ensure smooth travel experiences.

5. File Management (Medical VA)

Skill: Organize digital and physical files efficiently. Portfolio Display: Provide before and after screenshots of a digital filing system, illustrating your capability to streamline and organize extensive documentation.

6. Data Entry (E-commerce VA)

Skill: Accurately input data into systems. Portfolio Display: Highlight a complex spreadsheet used to track inventory, reflecting your precision and meticulousness in data management.

7. Document Preparation (Paralegal VA)

Skill: Draft and format key documents. Portfolio Display: Include redacted samples of legal documents or briefs prepared, showcasing your proficiency in document preparation and attention to legal standards.

8. Expense Tracking (Startup VA)

Skill: Manage and report expenses. Portfolio Display: Showcase a visual expense report or graph, demonstrating your ability to track and analyze financial data effectively.

9. Customer Service (Retail VA)

Skill: Handle customer interactions. Portfolio Display: Provide testimonials or feedback from satisfied customers, highlighting your excellent customer service skills and ability to resolve issues.

10. Research (Academic VA)

Skill: Conduct detailed internet research. Portfolio Display: Summarize a research report or case study created, illustrating your thorough research capabilities and attention to detail.

11. Content Management (Marketing VA)

Skill: Schedule and manage online content. Portfolio Display: Show a content calendar and corresponding posts, demonstrating your ability to plan and execute content strategies effectively.

12. Invoicing and Billing (Freelance VA)

Skill: Prepare and manage invoices. Portfolio Display: Display samples of invoices created with annotations on the process, highlighting your accuracy and attention to detail in financial transactions.

13. Database Management (Non-profit VA)

Skill: Update and maintain CRM systems. Portfolio Display: Provide screenshots of a cleaned and organized database, showcasing your efficiency in managing and maintaining large data sets.

14. Project Management Support (Tech Startup VA)

Skill: Assist in managing projects. Portfolio Display: Include a project timeline or milestones achieved, reflecting your contribution to project planning and execution.

15. Event Planning (Corporate VA)

Skill: Assist with event logistics. Portfolio Display: Provide a detailed event plan or a post-event report, showcasing your ability to manage complex event logistics and ensure successful outcomes.

16. Social Media Management (Fashion VA)

Skill: Manage social media interactions. Portfolio Display: Present before and after analytics reports to show growth, demonstrating your effectiveness in enhancing social media presence and engagement.

17. Proofreading and Editing (Editorial VA)

Skill: Review and edit documents. Portfolio Display: Display before and after excerpts of edited content, highlighting your keen eye for detail and ability to improve text quality.

18. Task Prioritization (General VA)

Skill: Manage and prioritize tasks. Portfolio Display: Provide an example of a to-do list tool with prioritized tasks, reflecting your ability to organize and prioritize workloads efficiently.

19. Communication Liaison (Legal VA)

Skill: Communicate between departments. Portfolio Display: Outline a communication protocol created, showcasing your ability to facilitate effective communication within an organization.

20. Technical Support (IT Support VA)

Skill: Provide basic IT help. Portfolio Display: List common issues resolved with steps taken, demonstrating your technical troubleshooting skills and problem-solving abilities.
By presenting your skills through tangible examples and visual aids, you can effectively convey your competencies to potential employers or clients. Regularly updating your portfolio with new projects and feedback will keep it current and reflective of your evolving expertise.
submitted by SuperIntHuman to VirtualEmployeePH [link] [comments]


2024.05.13 22:23 r3crac BlitzWolf BW-VS3 120-Inch ALR Black Projector Screen [EU] for 719.99 USD without coupon (Best price in history: 739.99 USD) [EUROPE]

European warehouse
Here is the link (Banggood): BlitzWolf BW-VS3 120-Inch ALR Black Projector Screen [EU]
Current price is 719.99 USD. The lowest price in my database is 739.99 USD.There're already 3 records in DB. Price monitoring since 24.3.2024!
Do you want e-mail PRICE ALERTS or you're here from Google and coupon doesn't work anymore? Check out current coupons for BlitzWolf BW-VS3 120-Inch ALR Black Projector Screen on self-updating website right there: https://couponsfromchina.com/blitzwolf-bw-vs3-inch-alr-black-projector-screen-eu-coupon/
Have fun.
I think it's a nice deal with good discount.
Telegram: https://t.me/couponsfromchinacom
FB Page: https://www.facebook.com/CouponsFromChinaCom
FB group: https://www.facebook.com/groups/couponsfromchinacom/
Reddit: https://www.reddit.com/couponsfromchina/
Website: https://couponsfromchina.com
Image: https://imgaz1.staticbg.com/thumb/large/oaupload/banggood/images/38/15/d0ccc133-74ee-42a3-9805-005f71483c9e.jpg
submitted by r3crac to couponsfromchina [link] [comments]


2024.05.13 22:14 EchoTwoOneOne How to get out of safe mode.

How to get out of safe mode.
I can't get out of thos safe mode bullshit and have tried everything I know to fix but nothing, anyone know how to fix this crap. I don't really want to have to send it in.
submitted by EchoTwoOneOne to playstation [link] [comments]


2024.05.13 21:30 WorldlyRange2885 python function to detect chemical groups in molecules.

currently I am working on a code that should be able to detect chemical groups in a molecule and list them after being given the smiles of the molecule as input.
Overall the code works great, but the code has issues when detecting cycles either aromatic, hetero cycles and even the ring in cyclohexanol. The same issue is there for alkenes, while either it detects only the alkene, but it cannot differentiate between cis and trans or aromatics.
Could someone tell me what smarts patterns I could use to find cycles and even differentiate them depending on the ring sizes and maybe also define specifics such as if hetero atoms are present and if the ring is aromatic. And a solution for determining the difference between cis and trans alkenes.
My code has a very long list of functional groups but I will just add a few here, so you know how it looks like:
from rdkit import Chem
def find_smiles_patterns(smiles): mol = Chem.MolFromSmiles(smiles) if mol is None: return "Invalid SMILES string. Unable to parse molecule."
# Define a list to store the chemical groups found in the SMILES chemical_groups = [] # SMARTS patterns to recognize chemical groups smarts_patterns = { 'C=C': 'Alkene', '[CX2]#[CX2]': 'Alkyne', '[CX3]=[CX2]=[CX3]': 'Allene', '[ClX1][CX4]': 'Alkylchloride', '[FX1][CX4]': 'Alkylfluoride', '[BrX1][CX4]': 'Alkylbromide', '[IX1][CX4]': 'Alkyliodide', '[OX2H][CX4H2;!$(C([OX2H])[O,S,#7,#15])]': 'Primary_alcohol', '[OX2H][CX4H;!$(C([OX2H])[O,S,#7,#15])]': 'Secondary_alcohol', '[OX2H][CX4D4;!$(C([OX2H])[O,S,#7,#15])]': 'Tertiary_alcohol', '[OX2]([CX4;!$(C([OX2])[O,S,#7,#15,F,Cl,Br,I])])[CX4;!$(C([OX2])[O,S,#7,#15])]': 'Dialkylether', '[SX2]([CX4;!$(C([OX2])[O,S,#7,#15,F,Cl,Br,I])])[CX4;!$(C([OX2])[O,S,#7,#15])]': 'Dialkylthioether', '[OX2](c)[CX4;!$(C([OX2])[O,S,#7,#15,F,Cl,Br,I])]': 'Alkylarylether', '[c][OX2][c]': 'Diarylether', '[SX2](c)[CX4;!$(C([OX2])[O,S,#7,#15,F,Cl,Br,I])]': 'Alkylarylthioether', '[c][SX2][c]': 'Diarylthioether', '[O+;!$([O]~[!#6]);!$([S]*~[#7,#8,#15,#16])]': 'Oxonium', '[NX3H2+0,NX4H3+;!$([N][!C]);!$([N]*~[#7,#8,#15,#16])]': 'Primary_aliph_amine', '[NX3H1+0,NX4H2+;!$([N][!C]);!$([N]*~[#7,#8,#15,#16])]': 'Secondary_aliph_amine', '[NX3H0+0,NX4H1+;!$([N][!C]);!$([N]*~[#7,#8,#15,#16])]': 'Tertiary_aliph_amine', '[NX4H0+;!$([N][!C]);!$([N]*~[#7,#8,#15,#16])]': 'Quaternary_aliph_ammonium', '[!#6;!R0]': 'Heterocyclic' #etc.... } # Define priority order for chemical groups based on IUPAC nomenclature priority_order = [ 'Carboxylic_acid', 'Carboxylic_ester', 'Lactone', 'Carboxylic_anhydride', 'Carbothioic_acid', 'Aldehyde', 'Ketone', 'Alkylchloride', 'Alkylfluoride', 'Alkylbromide', 'Alkyliodide', 'Alcohol', 'Primary_alcohol', 'Secondary_alcohol', 'Tertiary_alcohol', 'Dialkylether', 'Alkene', 'Alkyne', 'Allene', 'Dialkylthioether', 'Alkylarylether', 'Diarylether', 'Alkylarylthioether', 'Diarylthioether', 'Oxonium', 'Primary_aliph_amine', 'Secondary_aliph_amine', 'Tertiary_aliph_amine', 'Quaternary_aliph_ammonium', 'Heterocycle' #etc...... ] # Track the atom indices to avoid duplicates atom_indices = set() # Iterate over the priority order and check if each chemical group is present in the molecule for group in priority_order: if group in smarts_patterns.values(): for smarts_pattern, chemical_group in smarts_patterns.items(): if chemical_group == group: pattern = Chem.MolFromSmarts(smarts_pattern) if pattern: matches = mol.GetSubstructMatches(pattern) for match in matches: match_set = set(match) if not any(atom_index in match_set for atom_index in atom_indices): chemical_groups.append(chemical_group) atom_indices.update(match_set) return chemical_groups 
Thanks a lot for your help!
I did try change the Smarts, I also tried to do a placeholder function for detecting rings with a function checking a smiles of the form C1[X]nX1, while n is 2-8 and X is in the atom list: C, N, O, S
However nothing worked so far and it seems that there is no database for the smarts.
submitted by WorldlyRange2885 to pythonhelp [link] [comments]


http://activeproperty.pl/