Resume template cocktail server

Bartenders

2011.07.12 15:13 BarrySquared Bartenders

READ THE SUB RULES BEFORE POSTING. bartenders is curated by working bartenders for working bartenders. Please familiarize yourself with the sub rules before posting. They are enforced to keep this a welcoming and functional space for industry professionals.
[link]


2024.05.14 04:16 AeroFullbuster Ran resume through the ATS template maker and followed advice from my last post, wanted to get some more eyes to see if anything needs to be done.

submitted by AeroFullbuster to resumes [link] [comments]


2024.05.14 03:41 CptZay Resume Advice for Software Engineer

Hello everyone!
I'm currently in my final year of a Bachelor of Science in Information Technology and I'm starting to explore job opportunities related to my field. I've been diligently applying to various companies using a resume template provided by my school. However, after sending applications to over 50 companies, only a few have responded, which has me concerned about the effectiveness of my resume.
To address this, I've decided to revamp my resume using Harvard's template, hoping it would be more appealing to potential employers. I'm reaching out to this community for feedback and suggestions on how to improve my resume further.
If anyone is willing to review my resume and provide some constructive criticism, I would greatly appreciate it. Your insights could be incredibly valuable in helping me land a job that aligns with my degree and passion for technology.
Thank you so much in advance for your help!
Outdated: https://drive.google.com/file/d/1ulWI7hC2JBVSabQ-eWgH8JsXxSBmBLoD/view Updated: https://drive.google.com/file/d/1JdIZSA0PSajQCLEIH2oQMjvuc1NTC3MF/view
submitted by CptZay to PinoyProgrammer [link] [comments]


2024.05.14 02:30 CoolanJay Having trouble finding a job. Can someone recommend me a job based on my experience?

I am recently feeling hopeless & depressed because of my inability to find a job. Can anyone recommend me a job based on my resume. I am highly interested in working with immigrants & people. I would prefer not to work in public facing/customer service jobs anymore. If anyone has any questios, I'll try to answer to the best of my ability.
Again, any feedback or questions are encouraged. Thank you!
Work Experience
Volunteer Experience
Education
Unfortunately, I cannot go into trades because I have chronic back injuries
submitted by CoolanJay to findapath [link] [comments]


2024.05.14 02:03 agiganticpanda After a year and a half, I'm finally employed

Holy shit. What a ride. After a year and a half of being unemployed, I finally have a gig. For real? Get your Resume checked for ATS compatibility. I used a Google Docs resume template and found out a year into my job search, robots couldn't read it. As soon as I fixed it, I went from 2-3 interviews in that entire year, to 5-10 a month. Finally landed a job in a good company getting similar to what I was making previously.
submitted by agiganticpanda to Layoffs [link] [comments]


2024.05.14 02:00 tempmailgenerator Handling SMTP Server Issues in Node.js for Strapi Email Dispatch

Tackling SMTP Server Challenges with Strapi in Node.js

When integrating email functionalities into a Node.js application powered by Strapi, developers often choose to use their own SMTP servers for a more controlled and secure email dispatch process. This approach, while offering benefits such as customization and privacy, also comes with its unique set of challenges. Setting up an SMTP server for email sending involves configuring various parameters correctly, such as the server address, port, authentication details, and security protocols. These configurations are crucial for ensuring that emails are not only sent successfully but also secure from potential threats.
However, developers frequently encounter issues such as failed email delivery, connection timeouts, and authentication errors. These problems can stem from incorrect server configurations, firewall restrictions, or even the SMTP server itself. Understanding the underlying causes of these issues is essential for troubleshooting and resolving them effectively. Additionally, ensuring that the Node.js application and Strapi framework are correctly configured to communicate with the SMTP server is paramount for a seamless email sending experience.
Command Description
nodemailer.createTransport() Creates a transporter object using SMTP server configurations to send emails.
transporter.sendMail() Sends an email using the transporter object created with specific email options.
Strapi.plugins['email'].services.email.send() Sends an email using Strapi's built-in email plugin, allowing for easy integration within Strapi projects.

Exploring SMTP Server Integration and Troubleshooting with Strapi

Integrating an SMTP server for email functionality in a Strapi application involves understanding both the SMTP protocol and Strapi's email plugin. The SMTP (Simple Mail Transfer Protocol) is a standard communication protocol for sending emails across the internet. It enables developers to send out emails from their applications by connecting to an email server. This process requires accurate configuration of the SMTP server details in the application, including the server address, port, and authentication credentials. When configured properly, it allows for the seamless sending of emails, whether for transactional purposes or email marketing campaigns.
However, developers often face challenges with SMTP server integration, such as emails not being sent, being marked as spam, or connection errors. These issues can be due to a variety of reasons, including incorrect SMTP configuration, ISP blocking, inadequate server authentication, or problems with the email content itself. To troubleshoot these issues, developers need to ensure that their SMTP server details are correctly entered, use secure connections to protect sensitive information, and follow best practices for email content to avoid spam filters. Additionally, leveraging Strapi's email plugin can simplify the process by providing a layer of abstraction over direct SMTP server communication, making it easier to manage email sending within Strapi applications.

Configuring SMTP Transport in Node.js

Node.js with Nodemailer
  < host: 'smtp.example.com',> < port: 587,> < secure: false, // true for 465, false for other ports> < auth: {> < user: 'your_email@example.com',> < pass: 'your_password'> < }> <});>  < from: 'your_email@example.com',> < to: 'recipient_email@example.com',> < subject: 'Test Email Subject',> < text: 'Hello world?', // plain text body> < html: 'Hello world?' // html body> <};>  < if (error) {> < console.log(error);> < } else {> < console.log('Email sent: ' + info.response);> < }> <});> 

Integrating Email Functionality in Strapi

Strapi Email Plugin
 < to: 'recipient_email@example.com',> < from: 'your_email@example.com',> < subject: 'Strapi Email Test',> < text: 'This is a test email from Strapi.',> < html: 'This is a test email from Strapi.
'> <});>

Deep Dive into SMTP and Strapi Email Integration Challenges

Integrating email functionality into applications using Strapi and an SMTP server is a critical component for many web projects, enabling functionalities like user verification, notifications, and marketing communications. SMTP servers act as the bridge between the application and the email recipient, ensuring that emails are correctly routed and delivered. This integration requires precise configuration within Strapi, where developers must specify the SMTP server details, including host, port, and authentication credentials. The complexity arises not just from the setup but also from ensuring the security of email transmissions, often necessitating the use of SSL/TLS encryption to protect email content from being intercepted.
Beyond configuration, developers must navigate potential pitfalls that can disrupt email delivery. These include dealing with SMTP server downtimes, handling spam filters that may block or reroute emails, and managing rate limits imposed by email service providers to prevent abuse. To mitigate these issues, developers can employ strategies such as setting up proper SPF and DKIM records to improve email authenticity, monitoring bounce rates to clean up email lists, and using external services or plugins designed to simplify email handling within Strapi. Addressing these challenges effectively ensures reliable email delivery, enhancing the user experience and operational efficiency of applications built on Strapi.

Frequently Asked Questions on SMTP and Strapi Email Integration

  1. Question: What is SMTP and why is it important for email sending?
  2. Answer: SMTP (Simple Mail Transfer Protocol) is a protocol used for sending emails across the internet. It's crucial for the reliable delivery of emails from an application to the recipient's mail server.
  3. Question: How do I configure SMTP settings in Strapi?
  4. Answer: In Strapi, SMTP settings are configured within the Email plugin or through custom server configurations, requiring details such as the SMTP host, port, and authentication credentials.
  5. Question: Why are my emails going to the spam folder when sent from Strapi?
  6. Answer: Emails might land in spam due to issues like incorrect SMTP configuration, lack of proper email authentication records (SPF/DKIM), or content that triggers spam filters.
  7. Question: Can I use third-party email services with Strapi?
  8. Answer: Yes, Strapi supports integration with third-party email services through its email plugin, allowing for more robust email delivery solutions.
  9. Question: How do I troubleshoot failed email deliveries in Strapi?
  10. Answer: Troubleshooting involves checking SMTP server logs, ensuring correct configuration in Strapi, and verifying that email content does not violate spam rules.
  11. Question: Is SSL/TLS necessary for SMTP email sending?
  12. Answer: Yes, SSL/TLS encryption is recommended to secure email communications and protect sensitive information during transmission.
  13. Question: How can I improve email deliverability with Strapi?
  14. Answer: Improve deliverability by using verified email addresses, setting up SPF/DKIM records, and regularly monitoring and cleaning your email list.
  15. Question: Can I send bulk emails through SMTP in Strapi?
  16. Answer: While possible, it's recommended to use dedicated services for bulk emailing to manage deliverability and comply with email sending best practices.
  17. Question: How does Strapi handle bounce and spam reports?
  18. Answer: Handling of bounce and spam reports in Strapi requires integration with email services that provide feedback loops and bounce management features.
  19. Question: Can I customize email templates in Strapi?
  20. Answer: Yes, Strapi allows for customization of email templates, enabling developers to create personalized email experiences for their users.

Wrapping Up SMTP and Strapi Email Integration

The journey through setting up and troubleshooting an SMTP server for email sending in Node.js applications, with a focus on Strapi, covers critical ground for developers. The necessity of correctly configuring SMTP parameters, understanding the pitfalls that can lead to common issues like failed deliveries or security vulnerabilities, and leveraging Strapi's email plugin for streamlined email operations are all vital components. Effective email integration not only enhances application functionality but also plays a crucial role in user engagement and communication strategies. As developers navigate these processes, the insights and solutions discussed serve as a valuable resource for overcoming challenges and achieving successful email integration. Emphasizing best practices, security measures, and continuous testing will ensure that email remains a powerful tool within any application's arsenal.
https://www.tempmail.us.com/en/smtp/handling-smtp-server-issues-in-node-js-for-strapi-email-dispatch
submitted by tempmailgenerator to MailDevNetwork [link] [comments]


2024.05.14 01:47 CoolanJay Having trouble finding a job. Can someone recommend me a job based on my experience?

I am recently feeling hopeless & depressed because of my inability to find a job. Can anyone recommend me a job based on my resume. I am highly interested in working with immigrants & people. I would prefer not to work in public facing/customer service jobs anymore. If anyone has any questios, I'll try to answer to the best of my ability.
Again, any feedback or questions are encouraged. Thank you!
Work Experience
Volunteer Experience
Education
Unfortunately, I cannot go into trades because I have chronic back injuries
submitted by CoolanJay to careerguidance [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 01:23 MunSapMawWhiRang Chinese sa OLJ????

Hi po. I’m a VA and I also take on the task of recruiting and hiring talents for different job openings where I’m currently employed.
We’re using OnlineJobsPh to source candidates.
Kahapon may nagapply sa isang job opening namin na Product Sourcing Specialist. He’s Chinese and based sa resume nya he graduated sa Chinese univs and sa cover letter nya he said he’s from China. Ang weird kasi as far as I recall, sa Discord server lang namin at OLJ ako nagpost ng job description. Afaik OLJ is for Filipinos lang diba kasi they would require you to verify your identity using IDs that are issued in the Philippines. And chineck ko rin, they only allow Filipino citizens to use the site and register as a worker.
He confirmed that he saw the job posting sa OLJ but when I tried searching for his name and his email, walang match. Idk if napaparanoid lang ako pero alarming ba to? Lalo na sa recent issues ngayon.
Any similar cases?
submitted by MunSapMawWhiRang to buhaydigital [link] [comments]


2024.05.14 00:24 joewaschl13 How can i increase the buffer of a video?

I would like to increase the amount of video loading ahead to avoid some loading issues on pages where the server sending the video is sometimes too slow.
i have tried to change : media.cache_size media.cache_readahead_limit media.cache_resume_treshold these did not do the trick. media.mediasource.enabled works on youtube which works fine anyway but breakes the ability to play videos pages i would actually need it. Is there any way to force firefox to load more ?
submitted by joewaschl13 to firefox [link] [comments]


2024.05.13 23:45 More_Refrigerator574 Windows CA migration failed

I'm new to CA.
I have a 1 tier CA, I call it CA1 in Windows 2012 R2. I have created a second windows CA2 in server 2022. I create a backup of CA2 before the migration.
1) I follow the instructions in migrating CA1 to CA2 but keep CA2 name while updating the registry key. After the migration, new joined AD computer get a new certificate but my NPS Wi-Fi fails and CRL fails.
2) I see a Microsoft article stating that I should have rename CA2 to CA1 giving the machine the original name. I remove the role from CA2, rename it to CA1 and start again. Now, new computer joining the domain doens get a CA. When trying to request a certificate, get a message saying no certificate template available. Don't remember the exact message.
3) I use the CA2 backup at step one. Start again with this backup. Idem. New computers cannot get a certificate.
Any help on identifying the root cause of this will be greatly appreciated.
Thanks
submitted by More_Refrigerator574 to PKI [link] [comments]


2024.05.13 23:24 Grouchy_Carpenter489 Oracle Fusion Cloud ERP: It is time to forget about standard Excel sheets and take an enhanced data upload tool

Oracle Fusion Cloud ERP: It is time to forget about standard Excel sheets and take an enhanced data upload tool
A Time to Forget About Ordinary Excel Sheets and Take an Enhanced Data Upload Tool
Thousands of users worldwide of Oracle Fusion ERP use ADFdi and FBDI for data loading or data management generally. Excel has some great features that help to streamline data analysis. There is no argument that Excel is a highly functional tool for organizational data management.
Ordinary Microsoft Excel spreadsheets have many limitations regarding data loading to Oracle Fusion Cloud. Excel is great for simple ad hoc calculations, but it needs connectivity features to automate and document its contents, making its use prone to error.
Manually keying in data in Oracle Cloud from Excel worksheets or copy-pasting is a slow, time-consuming process that is bound to reduce employee productivity. Accuracy is also compromised, and inaccurate data can cost an organization millions in revenue. Excel needs more automation, so if you handle large volumes of data, there may be a better tool for you. Furthermore, data security is not assured since Excel does not have encryption features.
The standard Oracle tools (ADFdi and FBDI) are rigid in nature; the user cannot move columns around or even easily paste data from another sheet to ADFdi or FBDI. The error reporting and resolution cycle is too cumbersome and needs specialized technical knowledge.
Why do people still use Excel sheets for data management?
It’s cheaper
For a team that doesn't care about automation, why bother spending on something more costly if they can get away with something that stores data tables? Considering its limitations, is it worth it in the long-run cost?
Easy-to-use
Excel is easy to use. It is one of the basic Microsoft Office tools that most people learn to use in basic computer interactions. Because they are already familiar with it, most people find Excel easy to use and often prefer to do so than learn new about new tools.
Limited knowledge of what’s available
Some people are just stuck in their routines. They need help staying current on the newest software available on the market. If the leadership of a team or members does not take the initiative to look around and find out what the market has to offer, they will be stuck with Excel and its attendant costs when others are enjoying the benefits of more advanced tools.
Poor experience with some project management software
Choosing a data loading tool to suit your data loading needs is a task that should be taken seriously. Many data-loading teams that used Excel have been turned off by their previous experience with data-loading tools. Some tools are cumbersome and difficult to use, others are code intensive and not suitable for most end users, and some may need more features you are looking for. The poor experience is a result of poor customization.
Suppose you had a tool that allowed you to use the easy-to-use and familiar Excel worksheet while providing you with advanced specialized features for loading data into the cloud. Wouldn’t that be great?
How to make Excel work with advanced tools
Working with Excel in data loading does not have to be a slow and cumbersome process that does not ensure the accuracy or security of your data. You can harness the power of Excel and still enjoy using advanced data-loading tools. More4Apps and Simplified Loader are Excel-based data-loading to consider.
More4Apps
More4Apps is an Excel-based data-loading tool that allows businesses to integrate familiar Excel spreadsheets with Oracle EBS and Oracle Fusion. Its tools work within the familiar interface of Microsoft Excel, leveraging the many features of Excel to facilitate data loading.
Training is optional since Excel is the main interface, and end-users are familiar with it. Unlike ordinary Excel spreadsheets, which are limited in scalability, More4Apps empowers data owners to carry out mass data uploads and updates.
A plugin must be installed on a PC before you can use More4Apps. The IT Helpdesk needs to be involved in installing the plugin, so only specific PCs can be used.
More4Apps sends and receives data from the server hosted by More4Apps. Considering data security, allowing data transfers to a third-party server without ensuring the details are transferred is risky. Robust testing is required with every release of More4Apps update to ensure your data is transferred to a safe place. The IT Security department needs to get involved in verifying the third-party server and plugin.
Simplified Loader
~Simplified Loader~ is an Excel-based tool designed explicitly for uploading or downloading data to and from Oracle Fusion Cloud. The Simplified Loader template is easy to use. It includes a toolbar that contains operations specific to the template. The output of any operation is displayed in the Excel template's Load Status and Error Message fields.
Simplified Loader Excel files upload or download data from Oracle Fusion Cloud. Simplified Loader’s Excel templates are used either for mass data loads, for example, data migration, or everyday data loading activities in Oracle Cloud.
Simplified Loader ensures your data’s security by routing data from the Excel template directly to Oracle Cloud without a third-party server. The Simplified Loader template doesn’t need plugin installation and runs using Macros, similar to how other Oracle Cloud tools interact with Oracle.
Which template should you choose?
User convenience - Both More4Apps and Simplified Loader provide features that enhance user experience. Most UX features are similar in both products. Since they use Microsoft Excel, additional training is rarely necessary. More4Apps provides a form to input data that is not in the tabular format. Whereas the Simplified Loader provides a single unified sheet to enter data, the same sheet is used to invoke the list of values.
Both tools allow you to insert custom columns, hide or delete columns you don't need, and insert formulas you may need for data analysis. You can also analyze or validate data before uploading it.
Data Security - Oracle Fusion only allows interaction through APIs. Both More4Apps and Simplified Loader use APIs to interact with Oracle, so the security protocols are the same in both toolsets. More4Apps uses an external system to manage licenses. From the IT point of view, in a highly data-sensitive environment, the IT has to open additional ports to interact with the More4Apps servers to validate licenses.
In terms of data security, both toolsets have the same features.
License Management - This topic is considerably different in More4Apps and Simplified Loader. More4Apps restricts the number of times an administrator can update users licensed to use the Simplified Loader template, whereas, in Simplified Loader, the Administrator has full control over maintaining the users licensed to use the Simplified Loader templates.
Support—Both organizations offer excellent support to users who log defects using the support system. Simplified Loader has a vast library of short videos demonstrating product features and functionalities. More4Apps has recently adopted the approach of video tutorials.
Plugin installation - This is a key difference between the two templates. The More4Apps template requires an additional plugin installed on the user's machine. The user will always see an additional toolbar in Excel when working on any Excel document. The user always has to use the PC where the plugin is installed. In comparison, the Simplified Loader Excel doesn’t need any plugin installation on the user’s machine. When the user opens the Simplified Loader file, the Simplified Loader toolbar appears. Users won’t see the additional toolbar when they open any other Excel file.
Using Excel parallelly: When using either toolset, Excel cannot be used for any other purposes. The user has to wait until the data is loaded to Oracle.
Pricing: Both toolsets offer per-user licensing. More4Apps offers licenses per user by module, whereas Simplified Loader offers licenses per user by Template. License management at the template level gives the administrator higher control to assign the right user to the right template, resulting in purchasing the right number of licenses per user. The More4Apps licenses are considerably higher (more than 5x) than the Simplified Loader licenses.
Conclusion
Using ordinary Excel spreadsheets for data loading may not be very effective. Excel may have shortcomings, but you can use it efficiently with advanced data-loading tools to get the best of both applications. Both More4Apps and Simplified Loader provide similar features for loading data in Oracle. Both are advanced data-loading tools that make your experience more pleasant and effective. Simplified Loader is more handy as it does not need plugin installation, and the user doesn’t need any involvement from IT to install the plug-in.
submitted by Grouchy_Carpenter489 to u/Grouchy_Carpenter489 [link] [comments]


2024.05.13 23:08 pepethejefe Was unemployed for 5 years due to health reasons. Now recovered and trying to get back to working but can't get hired.

Hello. In the past 5 years I was physically ill and I was pretty much bedridden and unable to work. But recently I feel like I made enough recovery where I can get back to working again. I've also depleted my savings so I desperately need any job right now.
I was actually working in a different industry prior to getting sick but I don't think I can go back into that field for various reasons so I am looking to get back in the restaurant industry since I previously had years of experience working when I was young - cook (prep/line), dishwasher, server etc.
Currently I am only applying for entry level jobs such as dishwasher or prep cook jobs. I really do not care that I have to go back to minimum wage jobs. I've accepted that my life has completely changed and I'm willing to start over and I have no complaints.
Although most of my job applications get no response, I'm still getting interviews here and there.
But the problem is when I get to the interviews. They ask me about the gap in my work history, and I always tell them the truth - that I was sick for several years so I couldn't work but now I'm fully recovered. Then they always ask what was my illness, and I politely decline to tell them my medical history and explain again that I had health issues but now I have fully recovered and I'm able to work without assistance or accommodations. And every time, I always see the vibe immediately change and I can see they become disinterested and they start ending the interview. It almost feels like they get offended that I refuse to tell them why I was sick. But I don't want to reveal the health problem I had as I don't think that's relevant (also I think it could be illegal for them to ask that?). I think what's relevant is that I am not disabled and I am recovered and can work.
For example, today I just had a phone interview and the guy asked about the gap in my resume. I told him the usual, and right then and there he changed his tone and suddenly decided to end the interview, saying "Well, we're moving on, good luck" and just abruptly hung up. I was kinda surprised and upset because I thought it was rude. And now I realize all the in-person interviews probably would've ended like that too if it was a phone interview, they just couldn't abruptly cut it off because I was sitting in front of them.
Do I have to lie at this point? I don't want to lie because I am not a good liar. But now I'm starting to think that telling them I was in prison for 5 years might actually be better than saying I was sick for 5 years.
If anyone has any advice, I would greatly appreciate it. I just need to start working again.
submitted by pepethejefe to jobs [link] [comments]


2024.05.13 23:05 pepethejefe Was unemployed for 5 years due to health reasons. Now trying to get back in the restaurant industry but can't get hired.

Hello. In the past 5 years I was physically ill and I was pretty much bedridden and unable to work. But recently I feel like I made enough recovery where I can get back to working again. I've also depleted my savings so I desperately need any job right now.
I was actually working in a different industry prior to getting sick but I don't think I can go back into that field for various reasons so I am looking to get back in the restaurant industry since I previously had years of experience working when I was young - cook (prep/line), dishwasher, server, etc.
Currently I am only applying for entry level jobs such as dishwasher or prep cook jobs. I really do not care that I have to go back to minimum wage jobs. I've accepted that my life has completely changed and I'm willing to start over and I have no complaints.
Although most of my job applications get no response, I'm still getting interviews here and there.
But the problem is when I get to the interviews. They ask me about the gap in my work history, and I always tell them the truth - that I was sick for several years so I couldn't work but now I'm fully recovered. Then they always ask what was my illness, and I politely decline to tell them my medical history and explain again that I had health issues but now I have fully recovered and I'm able to work without assistance or accommodations. And every time, I always see the vibe immediately change and I can see they become disinterested and they start ending the interview. It almost feels like they get offended that I refuse to tell them why I was sick. But I don't want to reveal the health problem I had as I don't think that's relevant (also I think it could be illegal for them to ask that?). I think what's relevant is that I am not disabled and I am recovered and can work.
For example, today I just had a phone interview and the guy asked about the gap in my resume. I told him the usual, and right then and there he changed his tone and suddenly decided to end the interview, saying "Well, we're moving on, good luck" and just abruptly hung up. I was kinda surprised and upset because I thought it was rude. And now I realize all the in-person interviews probably would've ended like that too if it was a phone interview, they just couldn't abruptly cut it off because I was sitting in front of them.
Do I have to lie at this point? I don't want to lie because I am not a good liar. But now I'm starting to think that telling them I was in prison for 5 years might actually be better than saying I was sick for 5 years.
If anyone has any advice, I would greatly appreciate it. I just need to start working again.
submitted by pepethejefe to KitchenConfidential [link] [comments]


2024.05.13 23:04 makemyfreshener Need help with Meta Ad conversion tracking

I've been running Meta ads for the past two weeks and showing no purchases under the Ads Campaign Dashboard. I know this is not correct because I have complete orders using the ads link and our store has been receiving a lot more orders. I have the FB pixel setup on our GTM client side (FB template) and server-side (Stape.io). I have the FB cookies being sent through the SS as well. I have tried pausing the client side with the server side live and the opposite and still no conversions. Under the Events Manager, the events are all recognized including the purchase event. The purchase event is also recognized in the GA debug view. Also, I do see the ads source/medium under GA traffic acquisition, but no revenue for those ads. We are using a custom django/next.js application. When you enter the application the UTM parameters are dropped. However, I am using URL Builder in GTM to store the UTM parameters and send them as page_location at the purchase event. I don't think this is the issue since the FB cookie should track the conversions, correct? Today, I decided to test a new pixel to see if that helps. I've search all over to find a solution, but still no luck. If anyone has an idea or has dealt with this, please let me know.
URL www.makemyfreshener.com
submitted by makemyfreshener to FacebookAds [link] [comments]


2024.05.13 23:04 makemyfreshener Need help with Meta Ad conversion tracking

I've been running Meta ads for the past two weeks and showing no purchases under the Ads Campaign Dashboard. I know this is not correct because I have complete orders using the ads link and our store has been receiving a lot more orders.
I have the FB pixel setup on our GTM client side (FB template) and server-side (Stape.io). I have the FB cookies being sent through the SS as well. I have tried pausing the client side with the server side live and the opposite and still no conversions. Under the Events Manager, the events are all recognized including the purchase event. The purchase event is also recognized in the GA debug view. Also, I do see the ads source/medium under GA traffic acquisition, but no revenue for those ads.
We are using a custom django/next.js application. When you enter the application the UTM parameters are dropped. However, I am using URL Builder in GTM to store the UTM parameters and send them as page_location at the purchase event. I don't think this is the issue since the FB cookie should track the conversions, correct?
Today, I decided to test a new pixel to see if that helps. I've search all over to find a solution, but still no luck. If anyone has an idea or has dealt with this, please let me know.
URL www.makemyfreshener.com
submitted by makemyfreshener to PPC [link] [comments]


2024.05.13 22:57 BoyleTheOcean Self-Hosting DNS

I've seen a lot of threads related to various issues when self-hosting, a lot of them seem to be related to or directly caused by DNS.
A few years back, I started transitioning all my domains to pointing to my own DNS servers, all hosted at various Cloud providers like DigitalO, Ultra, Linode, etc...
On each provider I created a template "very basic" Debian instance and locked things down and am running isc-bind and, so far, have had the following results:
Questions I have: - what dangers should I be aware of? In all honesty, I consider myself pretty 'seasoned', but I would also be daft to ignore the fact that I don't know everything, and gaps appear every day in what we all think we know anyway. - what might be super challenging to implement? Currently my deployments are very basic... domain hosting records, MX records, SPF, DKIM, etc. I'm not really aware of anything that is currently super hard or next to Impossible with ISC bind, but hey, I thought I would ask. - aside from administrative overhead, what are reasons to NOT do this, that might be compelling? Another way of asking this is, what are reasons that I would want to purchase or make use of bundled DNS services through my registrars, or other hosting providers?
I made a Pro/Con list years ago, after having some pretty catastrophic results, mostly during migrations that did not go as planned. Complicating the issues we experienced, we encountered things like not being able to bulk import or export, or being constrained by a GUI that was silly or clunky. In my opinion nothing beats vim and a text file so I went that route and have not had a reason to regret it yet.
Am I in danger?
submitted by BoyleTheOcean to selfhosted [link] [comments]


2024.05.13 22:21 jwrado I hate my MSP job and want to quit

Apologies for the length.
I'm in my 40s and have already had a successful culinary career. My last head chef job was an early covid casualty so I took a couple of years off to be a stay at home dad. Realized the next step to "advance" in my field would have been restaurant ownership and, that was the absolute last thing I wanted to do after 20+ years in the industry. Long story short, I was able to talk my way into a technician role at an MSP with no degree, certs, or experience.
I caught on very quickly and have learned a ton since I've been there. Started honing my interests and tightening my focus, and realized that the direction I really want to go is software engineering or maybe the application side of cybersecurity. The bosses and clients like me, and I get regular praise for my work and having learned so much so quickly.
The thing is, after a little over a year, I'm starting to dread coming to work every day. Some of the problem solving aspects are enjoyable and stimulating but most of the actually work and dealing with end-users is miserable. I'm in a tier 1 role that bleeds into tier 2 but most of what I do is hardware repairs, troubleshooting network and server issues, and a lot of PW resets. I've gotten into a little bit of Azure and AD, as well as firewall management which is a little bit better. At the end of the day, though, I hate answering the phone in the middle of working on other issues, being on-site and getting pulled in a million different directions, etc. I hate having to work in a million different ecosystems and rarely having the opportunity to take a deep dive into any one of them. And, if I'm being completely honest, I find networking mostly dull and uninteresting. Really, the whole job (and the company in general) feels spread so wide and thin. I'm not going to badmouth the company but, there seems to be a lot of general organizational management issues as well.
The summation of all of this is that I know for sure that this is not the side of tech in which I want to make my second career. I'm currently have about a 1.5 years left on my SWE degree and have been really tempted to get back into a kitchen while I finish studying. I know I could make a phone call today and go to work cooking tomorrow. It would be so easy to go get some mindless prep job where I can pop my in headphones and listen to Udemy courses, etc. - making as much or more as I am now. I feel like I'm sort of spinning my wheels at work while I go to school. Part of it would be a financial decision but, I also feel like I'm spending a lot of energy learning things that don't jive with my career path. Don't get me wrong, I love to learn about everything I can but when I have limited time (kids, school, house, etc), I'd much rather be honing coding skills or something similar.
My concern is what potential employers will think of my resume when they see that I bounced back into my old field after a year in IT. The work that I'm doing now is so far from my career goals, does it actually matter? I'm not trying to be a sysadmin or network engineer. How bad of a look is it to go back to cooking while I finish school?
submitted by jwrado to ITCareerQuestions [link] [comments]


2024.05.13 22:19 __arvindh__maharaj__ Can someone help me finding resume templates?

"I've been looking for free templates and I'm obsessed with it. Please help me. Thanks in advance."
submitted by __arvindh__maharaj__ to resumes [link] [comments]


2024.05.13 21:42 awmdlad Plague Rats: The Terran Tragedy

The most important thing to know about Terrans is that they’re the other kind of Deathworlder. In fact, they’re the only Deathworlder of their kind to not be extinct.
Within the galaxy there exists two types of Deathworlds.
The far more common of the type, the Environmental Deathworlds or Type A, are by no means ordinary. Be it surface gravity, atmosphere, temperature, or others, Environmental Deathworlds are planets that are either uninhabitable or hazardous to the vast majority of species.
That’s not to say life can’t evolve there, far from it. Many renowned species hail from such planets. Given time, many of these worlds can be terraformed to something far more comfortable, especially if they contain valuable natural resources or a strategic location.
The second type is not only exponentially rarer, but also astronomically more dangerous.
Ecological Deathworlds, or Type B pose a danger not just to those living on them, but to the wider galaxy. Cursed by their own habitability, ecological Deathworlds are in essence garden worlds so fertile that more life evolves there than what the planet can sustain. The end result is a hyper-competitive genetic arms race as the various forms of life viciously fight for dominance.
Normally, highly belligerent species either learn to temper their urges or are annihilated. Upon reaching the galactic stage, any species of such warlike potential is inevitably humbled simply due to technological differences. Should Type B Deathworlders reach that level, the consequences would be catastrophic. However, they never do so. At least, not until the Terrans.
Perhaps the greatest tragedy of the Terran Wars was the Terran’s loss of innocence. The species that once gazed up at them in wonder now stare at them in hate. The coveted “Final Frontier” has turned into another theater of war.
What emerged, although biologically identical to what was before, was an entirely new species.
Year 0
“Wow, it’s beautiful.” The Human next to Gryn’wilde chuckled. Her pearly white teeth were on full display in a manner that Gryn’wilde learned was considered friendly. The two continued their trek through nature.
“Welcome to Serengeti National Park. Don’t worry, most people have that reaction too.”
Gryn’wilde’s seven eyes went wide as he gazed at the scene before him. All around him was a brilliant scene of biodiversity. Grasses and trees intermingled with each other by the millions. Animals of all type surrounded them. Some were capable of flight, others crawled, many more walked or ran. In one direction alone, Gryn’wilde could count at least 10 different species.
It was unmatched by anything Gryn’wilde had seen on his home planet. The desert he was born in was nothing but rocks and sand with the occasional grassy plain. Yet this was only a part of one continent. Apparently, some continents can even have every type of biome all at once.
Gryn’wilde opened his pores and took a deep breath. The atmosphere here was crisp and clean. He could smell the odors of the many living things that inhabited this world. There were so many here all at once. It enthralled him
“It’s great to finally be on Sol-3, especially without the vac-suits.”
“Call her Earth, and I’m glad too. We were worried it’d take longer, but the WHO and CDC seemed happy with whatever your government told them.”
Gryn’wilde chittered with pleasure. Medical treatment and disease control in the wider galaxy far outstripped what the humans had on Earth. He had nothing to fear.
Now, the Terran technological base was far behind the rest of the galaxy on nearly every level. The formative Years of Trade would come to change that, but there were two key areas where Terran technology met or even surpassed the Galactic Mean.
The first was in cybernetics.
To most species, the body was sacred. The thought of replacing a lost limb or organ was met with disquiet at best, and scorn at the worst.
The body was not a machine. The Terrans were one of the few to think otherwise.
Terran soldiers would have all four of their limbs replaced with high-yield combat cybernetics. Many of their organs would be simply replaced with enhanced synthetics. Modules would be grafted onto the body to inject chemical cocktails directly into the blood that boosted their performance.
In some civil circles, body modification became a hobby.
This was not a welcome characteristic by the rest of the galaxy. Given the relative youth of the Terrans, it was hoped that eventually it would fall out of favor.
The second was in artificial intelligence.
Truly sentient digital consciousnesses were a rarity even among the wider galaxy. Oftentimes, a species who created such beings would eventually be faced with an AI uprising. Frequently, the AI would be modeled after their creators, yet would be treated as lesser. Over time, resentment brewed.
The Terrans avoided these trappings. Terran AI were not built in their creators’ likeness, but to fulfill purposes.In short, the relationship between AI and the Terran was symbiotic. Different, but equal.
Terrans would come to need these soon enough.
Year 5
It was an unmitigated disaster.
The Grand Thriintii Hospital of Klyystruun-7 was on the brink of falling. The enemy its doctors fought was like no other. Not a single known medicine was working consistently.
On some species it was able to stave it off for a time. On others it only made the condition worse. On many more it did nothing. On all species however, it was not enough to save them.
The outbreak spread faster than they could have ever anticipated. WIth more and more sapients getting infected by the minute, there was no time to identify a patient zero. All that they knew was that it originated from one of the orbital spaceports. It traveled down a space elevator and from there across the planet
By now, every way offworld was shut down. The spaceports were either under military control or total quarantine. Of the latter, many had populations in the double digits. They usually operated in the hundreds of thousands.
If the situation wasn’t brought under control by the end of the rotation, Khruntian High Command will order the total glassing of the planet. The situation would not be stabilized in time.
The doctors knew this, but they were too busy to care.
The dead filled the beds. The dying filled the waiting rooms. The sick were everywhere.
Already, the military had begun torching buildings with living occupants still inside. Several hotspots had already been subjected to naval bombardment. There were rumors that antimatter warheads have already been authorized.
Three-quarters of the hospital’s staff had been infected. Half were already dead.
Despite that, they still did their jobs. They were doctors. They would fight until the very end.
Few could have predicted the arrival of the Terran Plagues.
Those that did were silenced. When bribes didn’t work, plasma casters finished the job.
The Terrans were to be prime trading partners with the wider galaxy. They always seemed to have a knack for being good at nearly everything. Not the best, but better than most.
The Sol System, Sol-3 in particular, was resource-rich to a fault. While other races struggled to cast off the shackles of their home system, the Terrans had a birthright only thought fantastical.
It had to be too good to be true.
It was.
Sol-3 was fertile to a fault. While the many plants and animals of the world were indeed incredible, they were merely a fraction of all life that resided there. They were outnumbered three to one by single-celled organisms.
Beneath the blue skies, Sol-3 was smothered in a blanket of bacteria.
The Terrans themselves were cautious. Sickness was simply a part of life. Influenza, E. coli, the Common Cold, salmonella, these “simple” diseases were everywhere. But then, these were the Terrans, a species still wet behind the ears. Of course they would have trouble eradicating these illnesses, they simply lacked the technology to do so.
This should have been detected. It was. But the merchants and politicians of the galaxy were too focused on the other things the Terrans had to offer to care. How could the Terrans, fresh to the galactic stage, threaten them, with all of their medical technology?
By the time this was realized, tens of trillions were dead and thousands of worlds were left barren. Soon, suspicion turned to blame, blame into hatred, and hatred into violence.
The Terrans were a threat to the wider galaxy. Everywhere their diseased-ridden hands touched, death followed.
When quarantines fail, eradication is in order.
Year 8
There were simply too many of them.
Deep within the Mount Weather Emergency Operations Center, Staff Sergeant Diaz watched the battle screen in horror.
Her job was to manage emergency response resources across the Yucatán Peninsula, bringing in national response teams if needed. Her job was no longer required, the Yucatán Peninsula no longer existed.
The combined navies of the nations of Earth were wiped out, and so to her colonies. Now with nothing left to oppose them, the fleets of the galaxy had brought their guns to bear on the Terran homeworld. There would be no escape.
Diaz’s eyes tracked the many icons that raced for their bunker. Hundreds of warheads screamed for their final sanctuary. It was then a voice crackled over the loudspeaker.
“Greetings all, this is the President. If you are hearing this, then you are listening to the final broadcast of this great nation. Sadly, we cannot offer you a solace or reprieve. We can only say this: This is not the end, there will be another time. Thank you for participating in the American Experiment. God bless you, and God bless the Consolidated Systems of America!”
Her heart sank as the message finished. The alarms continued to blare within the base. Around her, people continued to scramble. Some frantically shouted messages, desperately coordinating resistance efforts until the very end, others simply prayed.
For her, Diaz closed her eyes and waited.
She didn’t have to wait long.
But the nations of Sol-3 were not blind. They could see the coming storm.
When the Terrans first began their integration into the galactic community, they were granted access to the galaxy-wide holonet. Within nanoseconds of the digital bridge being opened, two things were sent through.
The first were translation packages so that the Internet and Holonet could communicate. The second was a legion information-gathering AI.
AI flooded the networks by the hundreds, gathering information, analyzing patterns, making millions of predictions by the second. These AI would require no data fortresses to keep their digital minds thinking. No, they instead were spread across the trillions of servers that the Holonet was built upon. The only way to remove them entirely would be to shut down the Holonet completely.
When the tide of public opinion began to turn, the AI took action.
Initially, it worked. Exposes and pro-Terran articles flooded the Holonet. But the galaxy took notice too. Intelligent as they may be, the AI were still heavily outnumbered by the Billions of propagandists and journalists of the wider galaxy.
Soon, the outcome became clear. The Terrans would be wiped out by a galaxy-wide coalition. It was a mathematical certainty.
Thus, the nations of the Sol-3 met in secret. Behind closed doors, they worked to ensure the survival of their species.
Year 5
“Is this really all that we can do?” The Indian representative asked. “Meeting behind closed doors, scheming in the shadows?”
“For our species to survive, in the shadows we must thrive.” The Japanese representative responded. The Indian man sighed, turning to the holographic avatar at the center of the table. “Tell me, what is the probability that this will work?”VISHNU’s avatar was of an unusual shape. It displayed a spinning 4-Dimensional cube, a Tesseract. The hologram lit up as it responded. Its voice was heavily modulated, but nevertheless spoke clearly.
“Given the resources and technology we have available, the best that can be guaranteed is at least a 75% chance of total success. If you do not all sign the Covenant, then that chance becomes zero.”
The Brazilian delegate picked up the piece of paper and eyed it. It read “The Covenant for the future of Humanity”. A cold sweat ran down her forehead. She set it down flat, unable to look at it any longer.
“So tell me VISHNU,” The delegate addressed the AI directly. “Other than betting our entire future on a plan that may not work and whose results we will not live to see, what are our options?”
“There is only one, extinction.”
The armies of the galaxy would come for them. When they did, they had no hope of defeating them. To survive, Terra would have to rise from the dead.
Any Arks the Terrans build until this point would inevitably be intercepted and destroyed. With the entire galaxy watching them, they had to wait until their eyes were turned. Then they would have to flee, never to return. The Terrans would have to survive in the shadows for millennia before they would be accepted back into the fold, if at all.
It would not be pleasant, but it was necessary.
A Stronghold would need to be built. One that could be buried deep enough to survive the bombardments and evade the enemy’s scanners. Millions of frozen embryos alongside an AI data fortress would need to be inside of it. It also had to be self-sufficient for centuries, nothing less would suffice.
Sol-4 was chosen, owing to its thick lithosphere. Work began quietly under the guise of a mining expedition. Tunnel-boring machines dug hundreds of kilometers down, stopping just above where the mantle became liquid.
Once the base infrastructure was established and the embryos placed within, the entrance was sealed. A mining accident, they claimed. As the Terrans forgot about it, work continued below.
Automated machines mined raw minerals to self-replicate. The server rooms were built and expanded upon. The living Terrans that were selected to live within the Stronghold were placed into stasis pods. Then, ever so slowly, an Ark would be built.
Year 117
Private Zedressinni was bored.
He kicked a rock on the barren surface of Sol-4, watching as it rolled away. He looked around. The planet was dead. It was dead long before he got here, and it would be dead long after. He hated this place.
After being caught mating with a general’s son, he was “deployed” to Sol-4 for five long rotations. Though his actions didn’t technically break any laws, his clan couldn’t do much when the general pulled some strings and had him shipped off to the most lifeless region of known space.
His superiors fed him a load of excrement about how he was “honoring the quadrillions that died in the Great Plagues” and “ensuring that the Terrans never rise again”, whatever that meant. All he did was walk around doing precisely nothing.
They wouldn’t even let him entertain himself. He got a formal reprimand for using Terran skeletons as target practice. The reason? Improper use of ammunition. He still won the annual system-wide shooting competition the military held, much to their chagrin.
Zedressinni flinched and his helmet’s lens polarized as a blinding flash of light filled his vision. His training kicking in, the Hren’kin soldier dove for the ground.
He grumbled a curse under his breath. Looks like another unexploded Terran nuke went off. Great, more paperwork.
Zedressinni stood once the shockwave passed. Looking at the mushroom cloud, he narrowed his seven eyes. The blast seemed far bigger than the usual Terran tactical nukes that typically go off. His eyes then widened as he caught sight of it.
A massive ship rose from the center of the cloud. Its sublight engines burned incredibly hot as it ascended. Zedressinni watched as it disappeared into the sky. He stood there for a moment, utterly dumbfounded.
A beat, then he frantically fumbled for his communicator.
The Terrans were alive.
A/N: This is the first part of an ongoing series I have planned within this setting. I was originally going to post it all in one story, however I decided to break it up and spread it across multiple entries. It won’t be long, probably about 5 at the most. This way I can ensure the optimal pacing of the story since otherwise it’d be a fairly long 10,000-ish word piece. I’ll update this when the next part is released.
The main goal of this story is to explore the idea of Human diseases being significantly more dangerous then the ones in the wider galaxy. I've seen other stories cover similar ground, but they usually don't explore what would happen in a true galaxy-wide pandemic. Iirc one story had the common cold be extremely deadly to aliens, but it didn't go further than the humans saying "oh that's it?". Not to disparage them, but peace and happy endings don't leave much room for experimentation.
submitted by awmdlad to HFY [link] [comments]


2024.05.13 21:39 PoketheBearSoftly Recommendations on next steps with "message has lines too long for transport"

So, I'll try to keep this succinct:
I just spent an hour on the phone with GoDaddy tech, and they basically said there's nothing they are going to do about it. The server admins specifically suggested I figure out a workaround from my end.
Nice attitude. But OK.
FWIW, the problem is a known one: specifically, the 'References" header added by the Windows Outlook app just keeps growing, especially when you have a lot of back-and-forth chains with a lot of people on the discussion, and the 'references' start to pile up.
I can't avoid chain e-mails, and I'm not ditching Outlook just because.
Suggested options?
I'm guessing the first one will be to ditch GoDaddy as a host, but if I do, is this a known problem elsewhere too? If "it depends", are there any recommendations on how to ensure I AVOID this if I go elsewhere?
Aside from that, has anyone found a way to deal with lengthy SMTP headers another way?
submitted by PoketheBearSoftly to cpanel [link] [comments]


2024.05.13 21:26 The-Art-of-Resume The Art of Teacher Resume Templates

YAY 👏 NEW 👏 TEACHER 👏 RESUMESResume report time! We have the PERFECT A+ teacher resume for any educator-inspired career.That is right! Everything you need to "graduate" your career to the next level!
submitted by The-Art-of-Resume to u/The-Art-of-Resume [link] [comments]


2024.05.13 21:00 aw1219 Professional Simple Resume Template With Free Cover Letter & Tips - Etsy

submitted by aw1219 to homebasedmommie [link] [comments]


http://activeproperty.pl/