Resignation letter sample for pharmacy tech

Trouble Getting Applicants to Follow the Posting Requirement

2024.06.02 18:59 lauraintacoma Trouble Getting Applicants to Follow the Posting Requirement

I posted a job on LinkedIn yesterday. My first time. I'm not a recruiter, just a small creative business. We got almost 100 applicants in the first day, but not one of them followed the "Additional Requirements" section that asked for a two to three paragraph cover letter and writing sample attached to their resume via "Easy Apply". Is this fairly normal? Should we not be asking for additional requirements or are job seekers just applying to everything without reading the whole job posting?
submitted by lauraintacoma to recruiting [link] [comments]


2024.06.02 18:58 Apprehensive_Bit4584 I recently received my Bachelor's degree in Healthcare Administration, I have no management experience. Any ideas for a job position with that degree?

I also am a certified Pharmacy Technician for the past 10 years. However, pharmacies require the management to be Pharm D pharmacist, not techs. I'd like to stay in the pharmacy field but feel I have to move careers to utilize my degree. Any advice?
submitted by Apprehensive_Bit4584 to careerguidance [link] [comments]


2024.06.02 18:30 glevil [Plugin Boutique] The Tone Foundry June Sale (UP TO 82% OFF)

If you would like to support , at no cost to you, please use our affiliate link.
Affiliate Link:
Direct Link:
Product Sale Price Affiliate Link Direct Link
Neon City Synthwave for Massive $7.00 (82% OFF) Affiliate Link Direct Link
The Tone Foundry All Serum Expansions Bundle (Exclusive) $29.00 (80% OFF) Affiliate Link Direct Link
Late Night Drum & Bass for Serum $9.00 (76% OFF) Affiliate Link Direct Link
Melodic Tech for Serum $9.00 (76% OFF) Affiliate Link Direct Link
Radiant Future Bass for Serum $9.00 (76% OFF) Affiliate Link Direct Link
Urban Drill & Trap for Serum $9.00 (76% OFF) Affiliate Link Direct Link
Epic Cinematics for Serum $9.00 (76% OFF) Affiliate Link Direct Link
Anthemic House & Garage for Phase Plant $9.00 (76% OFF) Affiliate Link Direct Link
Ambient Realms for Phase Plant $9.00 (76% OFF) Affiliate Link Direct Link
Bass Essentials for Current $9.00 (76% OFF) Affiliate Link Direct Link

Details

Discover the secret sauce! The Tone Foundry synth presets for Serum, Phase Plant, Massive, Current, and more, are crafted by sound design experts, and used by industry professionals. The people at The Tone Foundry have one goal, to help artists reach their creative potential. Save up to 82% on all The Tone Foundry packs and bundles including a brand new pack for Phase Plant and for Current in our exclusive sale!
submitted by glevil to audioware [link] [comments]


2024.06.02 18:15 AriannaBlack ChatGPT: Example on How to get it to Generate/Modify Code for Obsidian and Dataview

ChatGPT: Example on How to get it to Generate/Modify Code for Obsidian and Dataview
Chat
Now I have a dv.view template that allows me to view nested properties, and edit them.
const { fieldModifier: f } = MetadataMenu.api; // destruct metadata-menu api to use fieldModifier function and give an alias: "f" const rootKey = "__root__"; if (input && dv) { const properties = dv.el("div", "", { cls: "note-properties", attr: { id: "properties-container" } }); // Set up a tree-like dict of all the directory {path : ul element} mappings let listTree = {}; let header = "Properties"; let obj = {}; const frontmatter = dv.current().file.frontmatter; if (Object.keys(input).length === 0 && input.constructor === Object && frontmatter.hasOwnProperty("note type")) { const note_type = frontmatter["note type"]; switch (note_type) { case "electrochemical cell": header = "Cell Properties"; obj = frontmatter["cell"]; break; case "device": header = "Device Properties"; obj = frontmatter["device"]; break; case "instrument": header = "Instrument Properties"; obj = frontmatter["instrument"]; break; case "chemical": header = "Chemical Properties"; obj = frontmatter["chemical"]; break; case "electrode": header = "Electrode Properties"; obj = frontmatter["electrode"]; break; case "reference electrode": header = "Reference Electrode Properties"; obj = frontmatter["electrode"]; break; case "process": header = "Process Properties"; obj = frontmatter["process"]; break; case "sample": header = "Sample Properties"; obj = frontmatter["sample"]; break; case "analysis": header = "Analysis Properties"; obj = frontmatter["analysis"]; break; case "lab": header = "Lab Properties"; obj = frontmatter["lab"]; break; default: obj = frontmatter; } } else { let key = ""; // check if input has property "key" if (input.hasOwnProperty("key")) { obj = frontmatter[input.key]; key = input.key; } else { obj = frontmatter; } if (input.hasOwnProperty("header")) { header = input.header; } else { // if key is not empty, capitalize the first letter if (key !== "") { key = key.charAt(0).toUpperCase() + key.slice(1); } header = `${key} Properties`; } } dv.header(2, header, { container: properties }); listTree[rootKey] = dv.el("ul", "", { container: properties }); yaml_object_to_list(obj, listTree, 0, ""); } function yaml_object_to_list(obj, listTree, level, parent) { if (parent === "") { parent = rootKey; } const objkeys = Object.keys(obj); objkeys.forEach(okey => { if (obj[okey] instanceof Object) { if (obj[okey] instanceof Array) { const parentEl = listTree[parent]; if (obj[okey].length > 0 && obj[okey].some((e) => e instanceof Object)) { const listEl = dv.el("li", "", { container: parentEl }); dv.el("div", okey, { container: listEl, cls: "property-object" }); listTree[okey] = dv.el("ul", "", { container: parentEl }); obj[okey].forEach(entry => { if (entry instanceof Object) { const listEl = dv.el("li", "", { container: parentEl }); dv.el("div", okey, { container: listEl, cls: "property-object" }); listTree[okey] = dv.el("ul", "", { container: parentEl }); yaml_object_to_list(entry, listTree, level + 1, okey); } else { const parentEl = listTree[parent]; dv.el("li", `${entry}`, { container: parentEl }); } }); } else { const data_type = "list"; const listEl = dv.el("li", "", { container: parentEl }); dv.el("div", okey, { container: listEl, cls: "property-key", attr: { "data-type": data_type } }); obj[okey].forEach(element => { const data_type = get_data_type(okey, obj[okey]); dv.el("div", element, { container: listEl, cls: "property-array-value", attr: { "data-type": data_type } }); }); } } else { const parentEl = listTree[parent]; const listEl = dv.el("li", "", { container: parentEl }); dv.el("div", okey, { container: listEl, cls: "property-object" }); listTree[okey] = dv.el("ul", "", { container: parentEl }); yaml_object_to_list(obj[okey], listTree, level + 1, okey); } } else { const data_type = get_data_type(okey, obj[okey]); const parentEl = listTree[parent]; const listEl = dv.el("li", "", { container: parentEl }); dv.el("div", okey, { container: listEl, cls: "property-key", attr: { "data-type": data_type } }); // Always modify fields with fieldModifier const currentFilePath = dv.current().file.path; const modifiedField = f(dv, dv.page(currentFilePath), okey, { options: { alwaysOn: true, showAddField: true, inFrontmatter: true }}); // Add value div as modified by fieldModifier dv.el("div", modifiedField, { container: listEl, cls: "property-value", attr: { "data-type": data_type } }); } }); } function get_data_type(key, value) { let data_type = "string"; if (typeof value === "number") { data_type = "number"; } else if (typeof value === "boolean") { data_type = "boolean"; } else if (typeof value === "object") { data_type = "object"; } else { switch (key.toLowerCase()) { case "date": data_type = "date"; break; case "time": data_type = "time"; break; case "link": data_type = "link"; break; default: data_type = "string"; } } return data_type; } 
https://preview.redd.it/6blfpxbyn64d1.png?width=3086&format=png&auto=webp&s=b5fa893faaf766aaab052e1224c63653b9b8d156
submitted by AriannaBlack to ObsidianMD [link] [comments]


2024.06.02 18:02 Illustrious_Sun5536 Sample Azure Cost Management csv export request

Hello community, first of all I would like to say sorry If the post is not in the right category, I don’t know how to categorize this request.
I would like to ask you if anyone could give me a favor and share with me a sample data of a csv export of their azure cost management (obviously, with masked information)… I’m trying to build a dashboard to monitor costs and I would need sample data that I cannot access anywhere at the moment…
If I’m not asking for too much, I would like to ask if you can export in csv format two tables:
  1. The table view that you obtain in the portal when selecting “group by: resource” and “granularity: monthly” for the last 12 months
  2. The table view that you obtain in the portal when selecting “group by: resource” and “granularity: daily”, at least for the last 3 months (if you can, it would be optimal if you do it for the last year by splitting it into four extractions with a lookback of three months each…)
Obviously, since they are sensitive info, maybe you could replace subscription Id with a random sequence of letters and numbers and whatever would make you feel comfortable to share the sample data…
I really thank to any one of you taking into consideration this!!!
submitted by Illustrious_Sun5536 to AZURE [link] [comments]


2024.06.02 17:52 SterlingServices Damn! Heidi Wilke Taylor passed away May 23, 2024 at age 49. Fuck cancer.

Damn! Heidi Wilke Taylor passed away May 23, 2024 at age 49. Radiant with kindness and embracing of the eccentric, Heidi-Ho’s passionate drive to care for others spoke to her sincere selfless nature in all aspects of her life. That drive was so motivating that she changed careers and enrolled in nursing school in 2018 … just in time for COVID. She became an operating room nurse with an elite team here in Charlotte, NC.
Heidi was known as “Slippy” to her namesake trivia team of 15 years, as well as to countless pool players. Her eponymous line of billiards products were emblazoned with her goofiest face, an accidental candid shot so terribly unflattering that there was only one thing to do: share it with the world!
A testament to Heidi’s love of helping others, she was an organ donor. However, like so many plans she had for the future, that was suddenly derailed as a result of cancer. (Fuck cancer!) Struck down in her prime, Heidi’s diagnosis in September of 2022 of stage IV intrahepatic cholangiocarcinoma came a day after running 18 miles, as she was training for her next marathon. However, she was able to posthumously “enroll” at the Congdon School of Health Sciences at High Point University, where she’ll help teach a new crop of healthcare workers. Her family encourages those who knew Heidi to become organ- or whole-body donors in her memory.
It should be noted that the family has had another, and more recent, loss. Heidi’s mother, Betty Lutz Wilke, died peacefully May 27, 2024.
As you know first-hand, everyone who met Heidi loved her and her infectious laugh. To celebrate Heidi — and the mutual fortune we all shared by knowing her — you are invited to “HeidiFest” at her house on June 23, 2024. In lieu of “thoughts and prayers,” we’d appreciate it if you joined us to enjoy “stories and smiles.” Please come meet Heidi’s family, and get to know Heidi from different perspectives. That being said, Heidi would never want you to feel like you have to do anything, so suit yourself! Go find all of the details at HeidiFest.org.
In honor of such a wonderful person, we have launched the Heidi Wilke Taylor Nursing Scholarship Fund, a not-for-profit corporation organized in the State of North Carolina. In lieu of flowers, please consider donating to the Fund or helping to launch it in other ways so we can help fix the nursing shortage, get potential students the tools they need, and fund other creative initiatives that Heidi would want to support. The overall goal is to continue, and to amplify, all of the kindness and goodness that Heidi has brought to the world, at such a scale appropriate for this unique, special person. To participate through donation or action, please visit HeidiFest.org.
There are so many people, hundreds in fact, to thank for all the care, love, support, generosity, kindness, and help we’ve received since September of 2022. There’s no way to list them all here (you’ll get to meet a bunch of ‘em at HeidiFest!). Still, we must thank all of Heidi’s friends with “Run For Your Life” who absolutely knocked it out of the park early on with their amazing kindness and generosity, setting the tone for everything that came afterwards. Heidi’s coworkers at Sanger Heart and Vascular Institute immeasurably showed their love and support for one of their newest teammates. Heidi’s former officemates at Sterling have kept the wheels on the wagon, allowing her spouse unlimited ability to spend time with her. Thank you, Heidi’s teachers at CPCC, for facing the instructional challenges during COVID, allowing Heidi to pursue her discovered-late-in-life dream of becoming a nurse. Frankly not very many family, friends, and neighbors knew of Heidi’s condition; she did not want to burden anyone with the knowledge unnecessarily. If you are just now learning, you now also know why, and thank you. All of the healthcare workers involved in Heidi’s care (lab techs, phlebotomists, sonographers, radiographers, and so on) deserve recognition and have our appreciation.
Thank you, Heidi’s doctors, for dedicating your lives, with great sacrifice, for the benefit of all your patients. Those letters before and after your name were earned, as was the right to be listed here by name. At both Atrium Health and Roswell Park Comprehensive Cancer Center, Heidi had direct care from Drs. Corso, Crane, Fountzilas, Hagen, Haggstrom, Iannitti, Kennard, Krishnamurthy, Nannapaneni, Puzanov, Rodman, Simpson, Tango, and Wynne, plus countless others behind the scenes.
Truly deserving of special recognition, of course, are the nurses and supporters who provided healthcare to Heidi. The known names of “Heidi’s Heroes” are Allison, Bethany, Caitlyn, Carleen, Carolyn, Faith, Genna, Jessica, Kathy, Kayla, Kenya, Kristen, La, La’Terra, Marioly, Marissa, Michelle, Rachel, Sarah, Sophie, Vicky, and Whitney.
To learn more about Heidi, HeidiFest, the Heidi Wilke Taylor Nursing Scholarship Fund, or to get updates on upcoming events, go to HeidiFest.org. Or don’t; Heidi wouldn’t want to tell you what to do!
submitted by SterlingServices to obituaries [link] [comments]


2024.06.02 17:13 Kayters My company doesn't want to pay for the L1B. What should I do next?

I've written about this in the last couple of months already, but here's a recap: 32M working for a US tech company in London as a Software Designer. Asked for a transfer to the US a few months ago and they were quite open to it.
My manager was on board. After various discussions, the company told us that yes, I could transfer to the US if I wanted to, but the budget for that needs to come from our department. Suffice to say that our department is currently struggling with the budget we've, which means that spending money on my US visa isn't high on the list of priorities. 2024 hasn't been a fun year for the tech industry.
I was discussing this with my manager last week, and he told me that we can try again next year if the budget situation improves. I don't want to rely on that though. So I'm already looking at other options.
O1 and EB1 seem my best bets. O1 is less tricky in terms of requirements, but requires a company willing to sponsor you, which might be quite difficult depending on the circumstances.
The beauty of the EB1 is that I don't need a sponsor, but the requirements are obviously more strict. Having said that, I do meet some of the criteria already and I know a few prominent people in the tech field who already told me they'd be happy to sign me recommendation letters. I still don't meet all the requirements, but I can totally work on those in the next few months.
Any other options at my disposal? Should I just pursue those two options? I'm also willing to pay for an immigration lawyer if that'll help. Thanks all!
submitted by Kayters to immigration [link] [comments]


2024.06.02 16:50 __very_tired_ Two questions: School list and Canadian university ranking

Hello! I had two questions. This is my first application cycle, so any help is very appreciated!
First, how do top Canadian universities such as U of T, McGill, UBC compare to US T30/20/10, etc?
Second, please help me finalize my school list! Right now, here is what I am applying to. This is my second time making this post as I feel I may not have worded it right the first time. Any help or comments are very, very appreciated.
Schools:
Einstein
Boston University
Cooper at Rowan University
Zucker
Drexel
Emory
Geisel
Geisinger
George Washington
Georgetown
Icahn
New York Medical College
OSU
Renaissance
Larner UVM
Rutgers
Sidney Kimmel
Brown
Tufts
University of Cincinnati
UMD
UMass
Pittsburgh
University of Rochester
University of Wisconsin
Wake Forest
Stats:
sGPA: 3.82, cGPA: 3.84, strong upward trend
MCAT: 515 (129/128/128/130)
URM (Afro-Caribbean) Male
4 strong LORs, 1 okay.
Casper: 4th, PREview: 9
Fluent in English, French
Research: 1800h, no pubs as of today (should be one within next 2 months, but didn't declare it on my app)
Clinical: (1100h volunteer EMS, 500h paid pharmacy tech)
Non-clinical volunteering: 1200h cofounded and lead a fairly big charity, 150h homeless shelter volunteering
Shadowing: 150h
Other clubs: 500h total, culture club, pre-health club, student council
Hobbies: soccer (700h), singing (note with a dedicated vocal coach, not just on my own. I have a verifier for this) (1000h)
Thank you to everyone who helps on this sub, even just reading stuff here is very, very helpful. Wishing you all the best!!
submitted by __very_tired_ to premed [link] [comments]


2024.06.02 16:40 Worried_Break5218 Med was ruined from mistake

I work at a mail order pharmacy and I rotate through specialty pharmacy section every few weeks where we process 500-1000 rxs a day. We verify fridge items and regular items separately as packers use different methods to pack them. When I verify something that needs to be cancelled, if it is fridge item I would write “RTS” and put it in fridge for technicians.
I have been doing this for 3+ years and have a pretty good idea of which is fridge item and not. But last week, a med was returned to me because it “locked” packer’s station because it was cancelled. I am not sure why, but I could not remember it was fridge item (perhaps because most fridge items are in boxes/injectables but this was in pill form like regulars). I proceeded to put it in Return to Stock bin at room temperature. The tech who clears out the bin was not there that day. And then it was Memorial Day weekend. My supervisor found it out almost a week later sitting out at room temperature.
I explained what happened honestly and took accountability. We discussed steps to prevent it from happening in the future. While he was totally cool about it and told me “it happens” and that it is not a serious offense, I am still surprised at myself for not remembering especially I have worked at this place for almost 4 years now and I always pride myself (or so I thought) in making sure to double and triple check things. It does not help that it was specialty medication and very, very expensive.
Tl;dr I left fridge item at room temperature and it was ruined. I feel like an idiot.
submitted by Worried_Break5218 to pharmacy [link] [comments]


2024.06.02 16:16 AI-Admissions Letters of Recommendations written by AI? Is a good one possible?

I love to talk to high school counselors about AI and letters of recommendations. Often counselors that write letters of recommendations feel that AI will never be able to replicate a letter in the skillful way that they do. Those that have tried it tell me the results are terrible. I always follow up and ask them if they gave the chatbot any of their letters first, in order to train the bot on their style. I have yet to find a counselor that has taken this step. AI is not going to know how you want that letter to look unless you give it samples. Once you give it samples, I’m pretty convinced it could replicate a letter. The potential for saving counselors vast amounts of time in this arena are huge. What do you think about letters of recommendations written by AI?
submitted by AI-Admissions to AI_College_Admissions [link] [comments]


2024.06.02 16:16 insomniac0911 My notice period is 60 days bit I'm serving only 30 days, can I get reliving letter from company?

Hi there
I'm working in a company where my employee agreement says that "The employee may resign from the company for any reason or no reason at all by giving written notice of 60 days to the company. If the resigning employee doesn't complete their notice period, the company can deduct & recover 2 months salary from the employee"
That's it. I'm getting a good opportunity in a MNC where I will be needing relieving letter from previous employer.
So my question are
  1. can my company force me to serve 2 months of notice period
  2. If I serve only one month and buy out notice for one month, can I get Reliving and experience letter from the company ?
submitted by insomniac0911 to LegalAdviceIndia [link] [comments]


2024.06.02 16:13 gen-jl Discouraged, and want to give up.

I’m not sure what else to do. I have 4 years of ED Tech experience, 2 years of leadership/mentoring experience in undergrad, and have shadowed 3 doctors that all wrote me letters of recommendations. I’m worried about my GPA and MCAT being my breaking point
For context: 3.4 cGPA, 3.24 sGPA, 3.2 post-bacc sgpa (4 classes) Taking my mcat again end of June, aiming for a 505
Applying mostly MD because I want to stay close to my home state or in my home state (CT). Applying to all schools in my state
Not sure what to do. I’ve run out of classes to take and just want to apply already.
Opinions? Anything helps.
submitted by gen-jl to premed [link] [comments]


2024.06.02 15:43 avyne0pj Massachusetts Roommate Abandoned Belongings and Landlord Refuses to Change Locks After His Lease Ends

Hi! Bit of a long story but I'll condense as much as possible. I appreciate any and all input!
I have lived in an apartment complex in MA for 3 1/2 years. I have had a roommate, we'll call him E, the entire time. He has been useless in all things apartment related from the very beginning. He didn't contribute to the search, I had to front the deposits, He brought 0 furniture or household items with him other than three cast iron skillets. He hasn't cleaned, provided any form of shared goods (toilet paper, salt/pepper, cleaning supplies etc). He was not actually on our lease, as he had no credit history at the time of signing. His stepdad co-signed for him and E was listed as an occupant rather than a leasee. We almost lost the apartment because he does everything last minute and didn't get his step-dad to sign until the day before it was due. He has done this every single time we have resigned since then. (Pointing out that I can't afford to live on my own so I stayed with him as he is evil that I know as opposed to someone random who could have been worse lol)
When our lease renewal came around in SeptembeOctober 2023, I told him I would not be resigning a full years with him as my partner had the potential of moving and I would like to go with her. Skipping all of the unnecessary details, his step dad and I resigned a 6 month lease that ended on 5/31/24. Since resigning that lease, he has been to the apartment probably 4 times total, he hasn't stayed a single night. In March, we received our next renewal for another 6 months and I told him that I would not be resigning with him, and that my partner was going to be moving in since he wasn't actually even living here. He gave me a half believable story about staying with his parents since he works so far away (our apartment is 10-15 additional minutes). Since then, he has given me the silent treatment. I've asked him three times if we could discuss how we are going to split the items that we bought together. I sent him, and his stepdad, an itemized list of everything with current prices (or receipts from when we bought it in 2020 for the ones I could find) as a fourth try. Not a single response. Everything that I have sent to E has been texted as well as emailed and his step dad has been CC'ed. Important note, this entire time his step dad also hasn't said anything to me, but he did sign an addendum removing himself and E.
While all of this was going on, our complex emailed us (E, his stepdad, and I) saying that we were behind on rent. I verified with her that I have been paying my half. She sent me receipts showing that E hasn't paid his rent since March. It also shows that the entire time we have lived together, E has been chronically late on payments and has had multiple payments come back insufficient. Mildly infuriating, but not the current problem. I spoke with our complex about the situation and they have sent follow up emails. They reassured me that since I am not leaving, our shared account is not closing. The amount owed on his side can sit on the account until I leave, then it will go to collections and affect both his step dad and I.
It is now 6/2 and he has made 0 effort to come get his belongings, even though his lease ended two days ago so he no longer has a right to the apartment. The current active lease has myself and my partner on it, beginning on 6/1. My complex told me that in order to change our locks (since he still has keys), that I would need to go to the police and file for a "No Trespass Order". Yesterday, I went to our local police department to ask for a no trespass and what my rights are in regards to his items, as we are on a limited timeframe to get my partner moved in before she her current lease ends. I also wanted to ask about how we should handle his deposit, as my original message to E and his step dad stated that my partner would pay him directly for his half of the deposit one his belongings were removed.
The officer told me that since I don't own the property, I actually can't apply for a no trespass and that the complex will have to do it. He said the need to send E a letter stating they are filing against him, via certified mail. Then E must sign it and send it back so that can take it to the police department?? He won't even respond to a text, no way in hell he will sign a paper like that and mail it back. The officer told me that since his lease is up, his items are considered abandoned and that I can do with them what I want. I texted him (as well as emailed him and his step dad) yesterday and told he his has between 8-5pm today to come get his items or I will be removing them. I also told him that since his items are not removed, and he is still behind on rent, that he will not be receiving his deposit back and my partner will pay it directly to the complex to go toward his past due amount owed. Unsurprisingly, I received no response. It is now almost 10:00 am, he is not here. I am planning on selling his items (he has some good stuff) to pay for his rent.
I guess my main questions are:
  1. Under Massachusetts tenant law, isn't my complex supposed to change our locks when requested? All I can find online is that landlords are required by law if their tenant is being stalked, abused, ect.
  2. Will it come back on me if I sell his items and he shows up later this week to claim them?
  3. Will it come back on me if I do not return him his deposit?
Thanks for reading and any advice you may have!
Editing to add: E's mom is a police officer (I believe a chief?). His step dad is also a police officer himself, and moonlights as a lawyer....
submitted by avyne0pj to legaladvice [link] [comments]


2024.06.02 14:02 SaltNo8237 Free AI Resume Builder

Hey everyone,
I’m super excited to share something I’ve been working on: ProRes. It's an AI-powered tool that helps you create awesome resumes and cover letters with ease.
Why I Made ProRes
I help do mock technical interviews at my alma mater and I’ve seen so many talented people struggle to get interviews, not because they’re not qualified, but because their resumes and cover letters don’t do them justice. It sucks to see great folks miss out on opportunities just because their application didn’t stand out. That’s why I created ProRes - to help people showcase their skills and experience in the best possible way and boost their chances of landing those interviews.
What’s Cool About prores.ai?
How It Works
  1. Enter Your Info: Pop in your work experience, skills, and all that good stuff.
  2. Describe the Job: Copy paste the information from the job listing, Title, company, and job description.
  3. Generate: Let ProRes work its magic and create a polished resume or cover letter for you.
  4. Customize: Make any tweaks you want in the built in editor to add your personal touch.
I really think ProRes can help a lot of people out there, whether you’re just starting your career or have years of experience. It’s all about making sure you get noticed for the right reasons.
Give it a try and let me know what you think! Your feedback would mean the world to me as I keep working on improving the tool.
Do you think adding a “bot” that would apply to jobs on your behalf would be a cool addition?
submitted by SaltNo8237 to SideProject [link] [comments]


2024.06.02 13:49 Far_Ad3490 Do I have a chance at getting into Georgia tech?

Please be honest I want a real opinion. I want to major in biomedical engineering ( and I also plan to get a masters)I took one honors class freshman year (my high school doesn’t offer any Ap classes for freshman). Then I took 2 honors sophomore year(math and English). Junior year I took 3 AP classes (ap calculus bc, ap physics, and ap psychology). Senior year I plan to take ap comp science, ap statistics, ap physics c, and ap bio. I also plan to take intermediate calculus at my community college during senior year since my high school doesn’t offer any math beyond ap calculus bc. I predict that I got a five on all my ap exams.My sat super score is 1510 currently and I plan to take the act this summer. My extra curriculars include 2.5 years volunteering with cancer society. 20+ hours with volunteering at a food bank. I also have two summer programs at Stanford ( one is a biotech lecture series and one is neuroscience). I am also part of a cancer society club at my school. My gpa was 4.17 freshman year, 4.33 sophomore year,4.50 junior year, and hopefully will be 4.67 senior year. Also, my unweighted gpa has been 4.0 every year.I want to know if you think I have a chance at getting into Georgia tech. Please be honest, I understand it is a really good school and I want to know if I have any chance of getting in. I understand that it is super competitive and would understand if anyone respondes that I have a low chance of getting in. I would appreciate any feedback or suggestions to improve my chances. Thank you!! ( also I have a letter or recommendation from my ap physics and ap calculus bc teacher and could get a letter of recommendation from my volunteer manager at cancer society)
submitted by Far_Ad3490 to chanceme [link] [comments]


2024.06.02 13:43 Swissdanielle Hermes perfumes -a love letter

Hi everyone, I have long been wondering about the fact that I seldom times see mention of the Hermes perfumes in this sub, particularly the Hermes Exclusive line.
I like perfume and regular wear it, but was never interested in the high-high end perfumes. I slowly built up my taste for it, going from essences when I was a teenager to better structure products in my twenties, normally sticking to Chanel’s Chance and others in the same profile category.
And then, one day, I got some eau de toilette samples with my boutique purchase.
Maybe it was the combination of the new carré silk and the perfume, but I just fell in love. Not only with the smell itself, but with the quality of the product. It was unlike any other perfume I had ever worn. The residue it would leave on the skin and on the fabric… it was a whole new experience. There’s something about the way the product lingers and sits on one’s skin that just makes it feel right.
My favourite profiles are: - Violette Volynka - Vétiver Tonka - Rose Ikeban
I use the violette scent most of the time, but I love to combine it with the vetiver.
I wonder if someone else in this sub feels the same way about them, and what are your favourite smells and smell combinations. Also wondering if this is just me and it is a product that gets bypassed by other more popular products.
And that’s it, this is my love letter to this brand’s exclusive perfumes.
submitted by Swissdanielle to TheHermesGame [link] [comments]


2024.06.02 13:02 LastExtent3337 [Grade 8 / Year 9 Computing]

[Grade 8 / Year 9 Computing]
I have no clue where I went wrong. Can someone explain where I went wrong and what I should’ve done differently? Thanks. Btw, the boxes were already included with the question, so I don’t think they can be changed.
submitted by LastExtent3337 to HomeworkHelp [link] [comments]


2024.06.02 12:56 honeybewbew69 New Evergoods Product?

New Evergoods Product?
Came across this in a job description on the EG site and curious what you all think.
submitted by honeybewbew69 to EVERGOODS [link] [comments]


2024.06.02 12:25 cryicesis Seven years of Graphic Design experience now am shifting back to Tech industry

I was a bachelor's IT graduate but due to an unfortunate event that happened to me after ko maka graduate, there's a one year+ gap sa resume ko, at hirap ako makahanap ng IT related jobs that time at due to desperation makakuha ng job kasi wala na talaga akong money to even travel papuntang interview, kinuha ko yung graphic design job na inoffer ng ko OJT-mate ko dati at naka 4 years experience din ako as graphic designer then almost 3 years sa second job, but am not proud for some reason.
fast forward resign nako last month kasi di ko na kaya di ko naman talaga kasi passion yung maging artist sadyang napilitan lang ako at may alam lang mag edit! but i also noticed di ako motivated at lagi umiinit yung ulo ko kapag may new task ako kasi ang kina iinis ko yung sobrang daming revisions sa work at natatambakan at sakin pa yung sisi sa huli!
so i say to myself enough is enough babalik ako sa tech industry at I've been applying these past few days sa mga entry IT jobs so far i have few interview invitation next week, so I'm hoping kahit mababa sahod okay lang para maka ipon ng sapat na experience for bigger role sa tech industry at I'm starting over kasi at passion ko tlaga mag ayos assemble ng computer, printer etc., at nerd ako pag dating sa computer parts at network infrastructure, so tingin nyo ba tama yung ginawa ko?
submitted by cryicesis to phcareers [link] [comments]


2024.06.02 12:20 boladolittubinanappo What to do with an a-hole, good for nothing, stealing father?

Hi everyone!
Would just like to seek advice on what we can do for this. For context, if you want to know the background story entirely, here’s a link of my close friend, who asked help from me and posted using my reddit account here: LINK
Long story short, friend transferred to a public school for his grade 12 because his father could no longer provide for him. However, his current school can’t let him graduate without his documents from his previous school, which his previous school couldn’t provide because they gave the school a bounced check, so my friend has a remaining balance of 40K. With that, friend decided to do tech repair to gather 40K. I also helped him by giving him 10K to borrow muna to help him graduate. Tapos, the schools are asking for his dad kasi since he’s the parent, of course, and friend pressured him to do something kasi syempre sya pa rin ang magulang and my friend should not be shouldering his father’s responsibility.
Friend’s dad said na sakanya na raw ibigay yung pera and siya na raw didiskarte para madagdagan at maabot yung 40k agad, and siya na magaasikaso sa schools. We couldn’t give him everything in one go kasi it’s in separate banks and we plan to gather all the money muna para isang withdrawhan nalang. So, ang nasa dad niya is yung 10K ko lang kasi yun yung cash lang talaga.
Tapos, itong magaling na tatay, spent the money on an iphone 15 pro max para raw ibenta ulit for a higher price, which is unlikely kasi we have a deadline for my friend’s graduation. No one is gonna suddenly think na oh i wanna buy an iphone 15 pro max and let out a certain amount.
So kesa na on track na yung friend ko for 40k, nasetback pa.
Also, 10K ko yun. And i want the father to pay, not my friend kasi di niya responsibility yun. Ginastos niya without my permission. My purpose was to have the 10k be used for my friend’s tuition, not a cellphone.
What can I do about this? Is it also possible na I get a lawyefirm to do a demand letter? Panakot lang and so that mabayaran ako ng 10K? And also pay his son 40k bilang obligasyon niya yun. Pahingi advice, please.
Thanks in advance!
submitted by boladolittubinanappo to LawPH [link] [comments]


2024.06.02 12:10 Present_Ask_9089 H: miscs W: miscs I don't have

Spare miscs
s after the name = displayable item
Chemical Sample s
Irradiated Bonemeal s
Broken Radio Vacuum Tube s
Chemical Testing Kit
Soldiers remains
Sol's Transmitter s
Burned Venison and Tato stew s
Venison and Tato stew s
Nuka cola Vaccinated s
Red rocked core s
Uplink Module s
Flight Recorder s
Module Instructions s
Uniform Voucher s
Fire breather kit ticket s
Potassium s
Phosphorus s
Nitrogen s
"Evidence" s
Poison Supply s
Buffout Supply s
Albino Radstag Blood s
Army Training Graduation Papers s
Serum Z
Beckett's Belongings s
Bobby Pin Box s
Bolton Greens Centerpiece
Bolton Greens Place Settings
Broken Uplink
Cargo s
Claim Token s
Commendation s
Creature Attractant Recipe s
Creature Deterrent Recipe s
Dove Necklace s
Devil's Blood Vial s
Earle's Pocket Watch
Dry Kindling
Damaged Mainframe Core s
Edwin's Diary s
Edwin's Key s
Eugene's Letter
Feral Ghoul Blood Sample s
Graveyard Shovel s
Greens
Growth Enhancer Recipe s
Growth Suppressor Recipe s
Heating Coil s
Inert Bombs s
Irradiated Ore s
Item for Allay s
Lou's Remote Detonator s
Luca's Explosives a
Mainframe Core s
Moist Radkelp s
Mole Rad Blood Sample a
Mr. Fuzzy Token s
Nuka cade token s
Nuka-World Toy Truck
Osmosis Kit s
Portable Power Pack s
Pressure Gauge s
Scanner Upgrade s
Solvent Attractant s
Solvent Deterrent s
Solvent Enhancer s
Solvent Suppressor s
Strange Book s
Toad Eye
Token s
Toxic Barrel
Toxic Sludge
Trench Mask s
Type-T Fuse s
U.S.S.A. Beacon s
U.S.S.A. Crew Dog Tags
Unstable Mixture s
Uplink
Valid Ballot s
Weapon case
Wolf blood sample s
submitted by Present_Ask_9089 to Market76 [link] [comments]


2024.06.02 11:54 defmancc Bigfoot - Alien Grays - UFOs connection & Cabal New World Odor Criminals

I connects the dots. Such is my suspicious mind noticing things and connecting them, smh
I joined the dots. The documentary "Two Face: The Grey" and just now, "Mountain Devil 3: The Bigfoot Invasion".
The government and their masters the mega ultra rich wealthy obsessive control freaks aka (powers-that-be) runs black ops on all sorts of things. I'm just layman, so I'm putting what I think is going on.
There's the cabal, ultra rich scumbags with their obsession with power, money, and their dark worship of lucifesatan the moron, who happens to be "the prince of the AIR".
They took the Nazi's Bell UFO, which they backengineered stealing a ufo in Antarctica when they went there to search for oil and uranium but found the alien greys and giant bronzed entities who forbids them to drill for oil and uranium. How they took the ufo is not told.
So the US government took that ufo derived Nazi bell and uses it in their operations to abducts people, mutilates cattle, take their DNA, flesh, samples, whatever, for their own purposes, and be damned to people and cattle farmers.
They develops certain technologies, awful techs.
Two Face: The Grey was sanctioned by Australian government, to LEGITIMISES that there IS real "alien greys"... it's part of their agenda, with their bosses in the cabal scums.
Dr Steve Greer knows these cattle mutiliations are NOT by real aliens, if any. It is staged, faked by the black ops criminals. It's all part of their agenda, a sick agenda to frightens the world into submission to these cabal freaks, all for the sake of their insane new world odor ideology, run by a single scumbag at the top. That's clear enough.
These bigfoots that goes around murdering peopole after being dropped from ufos... clearly I sees through their lies... it's the black ops doing the same stupidities, same agenda, it's all slowly staged over the years, they are patient, no doubt of it, patiently building scenarios, in order to sow terror and fear in the public of these "creatures"...
Then there's the AI they worked on, developing AI until they gets their robots working, so they clothed those robots with the stolen DNA mixed with cattle and humans they abducted and mutiliated, created on conveyer belt, according to Dr Steve Greer. These AI programmed to kill, abduct, whatevers, anywhere dropped on certain places and carefully monitored to achieve the maximum effect, create panic, fear, terror in the populace.
The Grey in Sydney witnessed in the Sir NoFace documentary, to give it legitimacy, all part of the cabal agenda.
The bigfoots. The orbs. The ufos. The grays. Add them up.
What do you get? Let's not forget the Project Blue Beam idiocy they plans to projects holograms of ufos, huge seeming spacecrafts all over the skies, all to frighten the populace in every country, all for ONE agenda - to SCARE everyone into submission to their idea of UNITING MANKIND under ONE leader in their New World Odor ideology they so craved.
What does this reminds you? The bible gives some clues, despite the puns left there by the cryptojoos aka the cabal, aka the Phoenician Navy, as Miles W. Mathis exposed them for what they are.
Many WILL follows these lying criminals, and be doomed.
The few who refused to foillow their lies, will be saved.
So okay, maybe I'm wrong, maybe I'm right, I do not know, but the clues are so glaringly obvious, when I saw the connections between all these things. It's insane. I hoped it's insane. BUT... the recent insane covid scamdemic, the obvious HUGE increase in the elites' wealth, and the less wealth for the rest of us... well, gee, I don't know, it seems like there's another scam, maybe, on the way.
Fricking greedy scumbags, they never quit, do they? Sighs. So tired of these shitstained morons meddling with our lives. They have no right, yet they assume they have our collective IMPLIED CONSENT to do whatever they wants to us, without our permission, without our say so. Such is their criminality. Such is their alien mindset, some kind of soulless psychopath mindset or some stupidities.
I can't help point all this out.
I hoped to God that I am wrong.
I hoped things are getting better for all of us, not the selected few who already have too much already.
But... yeah, the but... the world still seemed so effed up. It makes me thinks it's DELIBERATE. So tired of these negative-minded criminals, obsessing over controlling us, stupid obsessive control freaks that they are.
I don't understand their stupid mentality. I'll never understand them. They are so backward and upside down. Even inside out. Totally insane. I don't get it. Utter greed for power, more power, more power, more power, acting like BULLIES, Right Man Syndrome, King Crab Mentality, bossy freaks. And huge wealth, that they can never spend and get rid of in their short lifetimes. Stupid. We're all supposed to live happy lives, not miserable scraping by saving every cent while they lives high off the hogs and laughing at us. God damn them and their greedy empty soulless guts. Stupid freaks.
I am grateful Jesus Christ is the Way, the Truth, and the Life, and I'll always believed in Him, cos he offers us a way out of all these insane shits on this earth, and these stupid lucifesatan worshiping retards, ayuh.
So I'm not worried, anyways, no matter what evil shits going to happen, I puts on the Armour of God and nothing of these evil pricks can ever hurt us, ever. We are protected, in the name of Jesus Christ, amen.
31:25 minutes
Steve Ward, Bigfoot/UFO Researcher
“John Keel has kind of been a mentor of mine, even though I was never able to actually meet him. He wasn’t sure about some of the physicality of some of this. He thought the only real thing possibly about some of this phenomena where he called them the damnable meandering lights. He thought the light, the energy or whatever it is, was definitely real, but when people would see this, he thinks sometimes people were being programmed. Somebody would see a classic giant UFO, looking physical metal and nuts and bolts. Somebody else would see a hairy biped wander off into the woods. So he thinks that maybe people were, whatever it was, whether it was a separate intelligence creating this or just a natural result of whatever it was, people were seeing really illusions.”
(like cloaking devices, screens, hiding behind whatever images sent into viewers’ minds.)
But it wasn’t like they were crazy or imagining things. There was really some force behind it creating this. But furthermore, he talked about transmogrification. Now that’s not easy to say, but he thought that these things actually became temporarily physical at times, and that’s why you sometimes get footprints.”
(Yeah, some are five toes, some are four toes, and some are THREE toes. WEIRD! Easy to explain, cos no species ever have different numbers of toes! It means it’s faked, it’s nothing but costume dressing by the fallen “angels” demons deceiving us.)
“Sometimes some researchers, even classic researchers like Ron Moorhead, who started out looking at the Bigfoot phenomena as a physical phenomena, would go to these areas, find footprints, wander off to a certain point, and then stop, so something very strange is going on.”
(Not so strange, when you figures out their agenda.)
Reminds me of something the bible said: “For no marvel, Satan can masquerade as the light.” — Holy Bible.
Two Face: The Grey - chemtrails...
Let's not forget the chemtrails stupidities the powers-that-be thinks is such a great idea. Turns out it was done to cover up THEIR mistakes, their fuckups when the Big Oil industry drilled someplace and drilled so far down they hits the metal somewhere in the mantle, beyond the 7 mile limits that the soviet reached way back when in the K-someething peninsula, whatever.
Shits hits the fans when those metals, rocks, etc spits up from the hole destroying the drill in the process.
The atmosphere got fucked. So the powers-that-be figures the chemtrials spewed out by their planes will "save the world" so they be all heroic about it. Such is their stupid egos.
The other thing is, I think they uses their chemtrails to cools down the countries they lives in, and to hell with the other countries that suffers such extreme heat waves.
Could be wrong, could be plausible. I hoped I'm wrong, but damn, all these insanities are insane.
submitted by defmancc to u/defmancc [link] [comments]


http://activeproperty.pl/