updated dynamic

pull/268/head
fakebranden 2025-04-14 21:02:02 +00:00
parent 0abe28fae4
commit e22e4cc092
4 changed files with 453 additions and 338 deletions

View File

@ -1,10 +1,28 @@
name: JobSpy Scraper Dynamic Workflow name: JobSpy Scraper Dynamic Workflow
on: on:
workflow_dispatch: # Allows manual trigger from GitHub or Power Automate workflow_dispatch:
# Remove or comment out the schedule to prevent auto-runs inputs:
# schedule: user_email:
# - cron: '0 */6 * * *' # Runs every 6 hours (DISABLED) description: 'User email for the scraper'
required: true
default: 'branden@autoemployme.onmicrosoft.com'
search_terms:
description: 'Comma-separated list of search terms'
required: true
default: 'IT Support,CRM,Automation'
results_wanted:
description: 'Number of results to fetch'
required: true
default: '100'
max_days_old:
description: 'Fetch jobs posted in the last n days'
required: true
default: '2'
target_state:
description: 'Target state (e.g. NY)'
required: true
default: 'NY'
permissions: permissions:
actions: read actions: read
@ -14,7 +32,6 @@ permissions:
jobs: jobs:
scrape_jobs: scrape_jobs:
runs-on: ubuntu-latest runs-on: ubuntu-latest
steps: steps:
- name: Checkout repository - name: Checkout repository
uses: actions/checkout@v3 uses: actions/checkout@v3
@ -29,20 +46,28 @@ jobs:
python -m pip install --upgrade pip python -m pip install --upgrade pip
pip install -r requirements.txt pip install -r requirements.txt
- name: Run JobSpy Scraper - name: Set environment variables
run: |
echo "USER_EMAIL=${{ github.event.inputs.user_email }}" >> $GITHUB_ENV
echo "SEARCH_TERMS=${{ github.event.inputs.search_terms }}" >> $GITHUB_ENV
echo "RESULTS_WANTED=${{ github.event.inputs.results_wanted }}" >> $GITHUB_ENV
echo "MAX_DAYS_OLD=${{ github.event.inputs.max_days_old }}" >> $GITHUB_ENV
echo "TARGET_STATE=${{ github.event.inputs.target_state }}" >> $GITHUB_ENV
- name: Run JobSpy Scraper Dynamic
run: python job_scraper_dynamic.py run: python job_scraper_dynamic.py
- name: Debug - Check if jobspy_output_dynamic.csv exists - name: Verify jobspy_output_dynamic.csv exists
run: | run: |
if [ ! -f jobspy_output_dynamic.csv ]; then if [ ! -f jobspy_output_dynamic.csv ]; then
echo "❌ ERROR: jobspy_output_dynamic.csv not found!" echo "❌ ERROR: jobspy_output_dynamic.csv not found!"
exit 1 exit 1
else else
echo "✅ jobspy_output_dynamic.csv found, proceeding to upload..." echo "✅ jobspy_output_dynamic.csv found."
fi fi
- name: Upload JobSpy Output as Artifact - name: Upload JobSpy Output as Artifact
uses: actions/upload-artifact@v4 # Explicitly using latest version uses: actions/upload-artifact@v4
with: with:
name: jobspy-results name: jobspy-results-dynamic
path: jobspy_output_dynamic.csv path: jobspy_output_dynamic.csv

View File

@ -2,55 +2,30 @@ import csv
import datetime import datetime
import json import json
import os import os
from jobspy.google import Google from jobspy.google import Google
from jobspy.linkedin import LinkedIn from jobspy.linkedin import LinkedIn
from jobspy.indeed import Indeed from jobspy.indeed import Indeed
from jobspy.model import ScraperInput from jobspy.model import ScraperInput
# -------------------------------------------------------- # Define job sources
# Step 1: Load Configuration
# --------------------------------------------------------
def load_config(config_file="config.json"):
"""
Reads the configuration from a JSON file.
If the file does not exist, returns a default configuration.
"""
if os.path.exists(config_file):
with open(config_file, "r") as f:
config = json.load(f)
return config
else:
# Default configuration if no config file is found.
return {
"search_terms": ["Automation Engineer", "CRM Manager", "Project Manager", "POS", "Microsoft Power", "IT Support"],
"results_wanted": 100,
"max_days_old": 2,
"target_state": "NY",
"user_email": ""
}
# Load the config
config = load_config()
# Assign configuration values to variables.
search_terms = config.get("search_terms", [])
results_wanted = config.get("results_wanted", 100)
max_days_old = config.get("max_days_old", 2)
target_state = config.get("target_state", "NY")
user_email = config.get("user_email", "")
# --------------------------------------------------------
# Step 2: Define Job Sources
# --------------------------------------------------------
sources = { sources = {
"google": Google, "google": Google,
"linkedin": LinkedIn, "linkedin": LinkedIn,
"indeed": Indeed, "indeed": Indeed,
} }
# -------------------------------------------------------- # Read dynamic user-specific config.json
# Step 3: Scrape Jobs Based on the Dynamic Config with open("config.json", "r") as f:
# -------------------------------------------------------- config = json.load(f)
search_terms = config.get("search_terms", [])
results_wanted = config.get("results_wanted", 100)
max_days_old = config.get("max_days_old", 2)
target_state = config.get("target_state", "NY")
user_email = config.get("user_email", "unknown@domain.com")
def scrape_jobs(search_terms, results_wanted, max_days_old, target_state): def scrape_jobs(search_terms, results_wanted, max_days_old, target_state):
"""Scrape jobs from multiple sources and filter by state.""" """Scrape jobs from multiple sources and filter by state."""
all_jobs = [] all_jobs = []
@ -60,40 +35,35 @@ def scrape_jobs(search_terms, results_wanted, max_days_old, target_state):
for search_term in search_terms: for search_term in search_terms:
for source_name, source_class in sources.items(): for source_name, source_class in sources.items():
print(f"\n🚀 Scraping '{search_term}' from {source_name}...") print(f"\n🚀 Scraping {search_term} from {source_name}...")
scraper = source_class() scraper = source_class()
search_criteria = ScraperInput( search_criteria = ScraperInput(
site_type=[source_name], site_type=[source_name],
search_term=search_term, search_term=search_term,
results_wanted=results_wanted, results_wanted=results_wanted,
) )
job_response = scraper.scrape(search_criteria) job_response = scraper.scrape(search_criteria)
for job in job_response.jobs: for job in job_response.jobs:
# Normalize location fields safely. location_city = job.location.city.strip() if job.location.city else "Unknown"
location_city = job.location.city.strip() if job.location and job.location.city else "Unknown" location_state = job.location.state.strip().upper() if job.location.state else "Unknown"
location_state = job.location.state.strip().upper() if job.location and job.location.state else "Unknown" location_country = str(job.location.country) if job.location.country else "Unknown"
location_country = str(job.location.country) if job.location and job.location.country else "Unknown"
# Debug print
print(f"📍 Fetched Job: {job.title} - {location_city}, {location_state}, {location_country}")
# Only include jobs whose title contains one of the search terms.
if not any(term.lower() in job.title.lower() for term in search_terms): if not any(term.lower() in job.title.lower() for term in search_terms):
print(f"🚫 Excluding: {job.title} (Does not match {search_terms})") print(f"🚫 Excluding: {job.title} (Doesn't match search terms)")
continue continue
# Only include jobs that are recent.
if job.date_posted and (today - job.date_posted).days <= max_days_old: if job.date_posted and (today - job.date_posted).days <= max_days_old:
# Accept the job if it's in the target state or if it is remote.
if location_state == target_state or job.is_remote: if location_state == target_state or job.is_remote:
print(f"✅ MATCH: {job.title} - {location_city}, {location_state} (Posted {job.date_posted})") print(f"✅ MATCH: {job.title} - {location_city}, {location_state} (Posted {job.date_posted})")
job_record = { all_jobs.append({
"Job ID": job.id, "Job ID": job.id,
"Job Title (Primary)": job.title, "Job Title (Primary)": job.title,
"Company Name": job.company_name if job.company_name else "Unknown", "Company Name": job.company_name or "Unknown",
"Industry": job.company_industry if job.company_industry else "Not Provided", "Industry": job.company_industry or "Not Provided",
"Experience Level": job.job_level if job.job_level else "Not Provided", "Experience Level": job.job_level or "Not Provided",
"Job Type": job.job_type[0].name if job.job_type else "Not Provided", "Job Type": job.job_type[0].name if job.job_type else "Not Provided",
"Is Remote": job.is_remote, "Is Remote": job.is_remote,
"Currency": job.compensation.currency if job.compensation else "", "Currency": job.compensation.currency if job.compensation else "",
@ -106,35 +76,27 @@ def scrape_jobs(search_terms, results_wanted, max_days_old, target_state):
"Job URL": job.job_url, "Job URL": job.job_url,
"Job Description": job.description.replace(",", "") if job.description else "No description available", "Job Description": job.description.replace(",", "") if job.description else "No description available",
"Job Source": source_name "Job Source": source_name
} })
# Optionally tag the record with the user email if provided.
if user_email:
job_record["User Email"] = user_email
all_jobs.append(job_record)
else: else:
print(f"❌ Ignored (Wrong State): {job.title} - {location_city}, {location_state} (Posted {job.date_posted})") print(f"❌ Ignored (Wrong State): {job.title} - {location_city}, {location_state}")
else: else:
print(f"⏳ Ignored (Too Old): {job.title} - {location_city}, {location_state} (Posted {job.date_posted})") print(f"⏳ Ignored (Too Old): {job.title} - {location_city}, {location_state}")
print(f"\n{len(all_jobs)} jobs retrieved in {target_state}") print(f"\n{len(all_jobs)} jobs retrieved for user {user_email}")
return all_jobs return all_jobs
# --------------------------------------------------------
# Step 4: Save the Job Data to a CSV File def save_jobs_to_csv(jobs, user_email):
# -------------------------------------------------------- """Save job data to a user-specific CSV file using custom delimiter."""
def save_jobs_to_csv(jobs, filename="jobspy_output_dynamic.csv"):
"""
Saves job data to a CSV file using a custom delimiter.
Fields within a record are separated by |~|,
Records are separated by commas,
All commas in field values are removed,
Blank fields are replaced with 'Not Provided'.
"""
if not jobs: if not jobs:
print("⚠️ No jobs found matching criteria.") print("⚠️ No jobs found matching criteria.")
return return
# Delete any existing file. # Clean the email to create a safe filename
safe_email = user_email.replace("@", "_at_").replace(".", "_")
filename = f"jobspy_output_dynamic_{safe_email}.csv"
# Remove old file if it exists
if os.path.exists(filename): if os.path.exists(filename):
os.remove(filename) os.remove(filename)
@ -143,41 +105,26 @@ def save_jobs_to_csv(jobs, filename="jobspy_output_dynamic.csv"):
"Experience Level", "Job Type", "Is Remote", "Currency", "Experience Level", "Job Type", "Is Remote", "Currency",
"Salary Min", "Salary Max", "Date Posted", "Location City", "Salary Min", "Salary Max", "Date Posted", "Location City",
"Location State", "Location Country", "Job URL", "Job Description", "Location State", "Location Country", "Job URL", "Job Description",
"Job Source" "Job Source", "User Email"
] ]
# Include User Email in header if present in any record. with open(filename, mode="w", newline="", encoding="utf-8") as file:
if any("User Email" in job for job in jobs): writer = csv.DictWriter(file, fieldnames=fieldnames, delimiter="|")
fieldnames.insert(0, "User Email") writer.writeheader()
for job in jobs:
job["User Email"] = user_email
writer.writerow(job)
header_record = "|~|".join(fieldnames) print(f"📄 File saved: {filename} ({len(jobs)} entries)")
records = [header_record] return filename
for job in jobs:
row = []
for field in fieldnames:
value = str(job.get(field, "")).strip()
if not value:
value = "Not Provided"
value = value.replace(",", "")
row.append(value)
record = "|~|".join(row)
records.append(record)
output = ",".join(records)
with open(filename, "w", encoding="utf-8") as file:
file.write(output)
print(f"✅ Jobs saved to {filename} ({len(jobs)} entries)") # Run the scraper and save the results to a user-specific output file
job_data = scrape_jobs(
search_terms=search_terms,
results_wanted=results_wanted,
max_days_old=max_days_old,
target_state=target_state
)
# -------------------------------------------------------- output_filename = save_jobs_to_csv(job_data, user_email)
# MAIN EXECUTION
# --------------------------------------------------------
if __name__ == "__main__":
job_data = scrape_jobs(
search_terms=search_terms,
results_wanted=results_wanted,
max_days_old=max_days_old,
target_state=target_state
)
save_jobs_to_csv(job_data)

View File

@ -1,222 +0,0 @@
User Email|~|Job ID|~|Job Title (Primary)|~|Company Name|~|Industry|~|Experience Level|~|Job Type|~|Is Remote|~|Currency|~|Salary Min|~|Salary Max|~|Date Posted|~|Location City|~|Location State|~|Location Country|~|Job URL|~|Job Description|~|Job Source,branden@autoemployme.onmicrosoft.com|~|in-9bca88e7f3333f6e|~|Oracle WMS Cloud Architect|~|Peloton Group|~|Consulting And Business Services|~|Not Provided|~|FULL_TIME|~|True|~|USD|~|153017.0|~|190738.0|~|2025-04-14|~|Unknown|~|Unknown|~|US|~|https://www.indeed.com/viewjob?jk=9bca88e7f3333f6e|~|Recognized on the Inc. 5000 fastest growing companies in the US Peloton is one of the largest and fastest growing professional services firms specializing in Integrated Cloud Solutions for Enterprise Resource Planning Enterprise Performance Management Supply Chain Management Human Capital Management and Big Data and Analytics. Peloton has the vision and connected capabilities to help CFOs CIOs and business leaders to envision implement and realize the benefits of digital transformation. Companies that are equipped with the right information have the know\-how and the enabling technology to consistently leverage analytics will gain a competitive advantage. Our people are recognized as some of the best minds and most committed people in the industry. We believe in quality. We appreciate creativity. We recognize individual contributions and we place trust in our team members. And…we love what we do.
Peloton provides Advisory Consulting and Managed services with deep functional and technical expertise specializing in serving clients in the Life Sciences Retail Manufacturing Insurance Aerospace and Defense and Financial Services industries. Our business and technology professionals provide a unique perspective proven experience with an innovative and collaborative approach to achieve results for clients.
If you are interested in being part of our high performing and growing organization and have strong business and/or technical expertise; especially as related to Oracle Supply Chain Management applications you may be a good fit for our team. Peloton has a unique opportunity for experienced Consultants to play a hands on role in a high growth practice area.**Responsibilities**
Responsibilities will vary depending on the level and experience of the individual. The consultant will work as part of a project team to deliver analytical solution\-oriented services to Fortune 1000 clients. Based upon experience specific responsibilities may include:* Support Oracle Cloud Supply Chain implementation projects
* Developing an understanding of a clients current state process and developing future state recommendations
* Recommending road maps to close performance gaps and developing high level implementation plans
* Aligning business requirements and best practices to implement a technical solution; executing on day to day activities supporting Oracle Cloud SCM implementations.
* Defining new and refining existing business processes
* Contributing to continuous improvement and development of Peloton processes and intellectual property
**Required Experience \& Skills*** Qualified candidates must have a BS or BA degree in Business Technology or equivalent degree
* At least 7 years of implementation experience in Oracle Supply Chain Management with at least 2 years of Oracle SCM Cloud functional experience.
* Full life cycle project experience with a minimum of 2 years of experience implementing Oracle Warehouse Management Systems (WMS) Cloud and/or Logfire.
* Must have experience implementing various WMS functionalities (Shipping Slotting Transfer Orders Packing Load Planning Labeling etc)
* Ability to configure the Oracle Cloud Applications to meet business requirements and document application set\-ups.
* Fit with Peloton culture and company values: teamwork innovation integrity service “can\-do” attitude and speaking your ideas
* Enthusiastic energetic and highly driven with the desire to learn our business
* Excellent analytical and problem solving skills
* Strong written and verbal communication skills
* Proven ability to work remotely and independently in support of clients and across multiple initiatives
**Additional Desired Skills*** Experience in overall Oracle ERP Cloud Supply Chain Management support or implementation
* Certification in Oracle WMS Cloud.
* Full life cycle implementation of Logfire Loftware NiceLabel or similar WMS cloud based software would be a huge plus.
* Experience leading solution workshops Plan\-to\-produce track and mentoring junior staff
**Compensation:*** Competitive base salary
* Medical Dental and Vision insurance
* Life Short Term and Long Term Disability Insurance
* 401K with supporting company match
* Flexible Spending
* Technical and business skills training
* Performance bonus
* Paid holidays and vacation days
*Peloton Group is committed to creating a diverse environment and is proud to be an equal opportunity employer. All qualified applicants will receive consideration for employment without regard to race color religion gender gender identity or expression sexual orientation national origin genetics disability age or veteran status.**\#LI\-BB1**\#LI\-REMOTE*|~|indeed,branden@autoemployme.onmicrosoft.com|~|go-W0Tmb9QGOz3Lib5hAAAAAA==|~|Product Manager CRM Marketing & Data Cloud|~|PPG|~|Not Provided|~|Not Provided|~|Not Provided|~|True|~|Not Provided|~|Not Provided|~|Not Provided|~|2025-04-12|~|Pittsburgh|~|PA|~|Unknown|~|https://careers.ppg.com/us/en/job/PIIPIIUSJR2433940EXTERNALENUS/Product-Manager-CRM-Marketing-Data-Cloud?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|~|As the Digital Product Manager CRM Marketing & Data Cloud you will play a pivotal role in shaping and executing our strategy to optimize customer engagement retention and acquisition. In order to unlock financial impact you will lead a cross functional cross business unit team through delivery of Salesforce Marketing Cloud Account Engagement & Salesforce Data Cloud and collaborate closely with cross-functional teams including Marketing Sales Commercial Excellence and IT to drive the development implementation and process improvement of CRM solutions.
This is a role will require 20-30% travel. It is based in Pittsburgh PA (USA) or Remote. Relocation assistance available.
Key Responsibilities
• Scale Salesforce Marketing Automation Account Engagement and Salesforce Data Cloud globally across PPGs Strategic Business Units and regions with a focus on negotiating trade-offs to achieve as much standardization as possible while meeting business objectives
• Define and prioritize the product roadmap considering customer needs competitive landscape and business objectives.
• Collaborate cross-functionally with Marketing Operations Sales Commercial Excellence and IT teams to ensure alignment and successful execution of initiatives.
• Work closely with stakeholders to gather and prioritize requirements translating them into actionable product features and enhancements.
• Oversee the end-to-end product development lifecycle from ideation and design to development testing and release.
• Define and monitor key performance metrics to assess product performance identify areas for improvement and drive optimization efforts.
• Stay abreast of industry trends competitor offerings and emerging technologies to inform product strategy and decision-making.
• Leverage customer feedback data analysis and market research to gain insights into customer needs and preferences informing product enhancements and innovations.
• Effectively communicate product plans progress and updates to internal stakeholders executive leadership and external partners as needed.
Qualifications
• Bachelors degree in Business Information Technology or a related field (or equivalent experience).
• 3+ years of hands-on experience with Marketing Cloud and Data Cloud Technology as a Product Manager Administrator or Consultant.
• Salesforce certifications (e.g. Pardot Marketing Cloud) strongly preferred.
• Proven track record of managing Salesforce projects and delivering measurable business outcomes.
• Strong understanding of sales processes metrics and best practices.
• Experience with Agile and/or Scrum methodologies.
• Excellent problem-solving skills and attention to detail.
• Strong communication and interpersonal skills with the ability to influence and collaborate across teams
PPG pay ranges and benefits can vary by location which allows us to compensate employees competitively in different geographic markets. PPG considers several factors in making compensation decisions including but not limited to skill sets experience and training qualifications and education licensure and certifications and other organizational needs. Other incentives may apply.
Our employee benefits programs are designed to support the health and well-being of our employees. Any insurance coverages and benefits will be in accordance with the terms and conditions of the applicable plans and associated governing plan documents.
About us:
Here at PPG we make it happen and we seek candidates of the highest integrity and professionalism who share our values with the commitment and drive to strive today to do better than yesterday everyday.
PPG: WE PROTECT AND BEAUTIFY THE WORLD™
Through leadership in innovation sustainability and color PPG helps customers in industrial transportation consumer products and construction markets and aftermarkets to enhance more surfaces in more ways than does any other company.. To learn more visit www.ppg.com and follow @ PPG on Twitter.
The PPG Way
Every single day at PPG:
We partner with customers to create mutual value.
We are “One PPG” to the world.
We trust our people every day in every way.
We make it happen.
We run it like we own it.
We do better today than yesterday everyday.
PPG provides equal opportunity to all candidates and employees. We offer an opportunity to grow and develop your career in an environment that provides a fulfilling workplace for employees creates an environment for continuous learning and embraces the ideas and diversity of others. All qualified applicants will receive consideration for employment without regard to sex pregnancy race color creed religion national origin age disability status marital status sexual orientation gender identity or expression. If you need assistance to complete your application due to a disability please email recruiting@ppg.com.
PPG values your feedback on our recruiting process. We encourage you to visit Glassdoor.com and provide feedback on the process so that we can do better today than yesterday.
Benefits will be discussed with you by your recruiter during the hiring process.|~|google,branden@autoemployme.onmicrosoft.com|~|in-684d6800a9ee124d|~|Principal Salesforce Architect|~|Unknown|~|Not Provided|~|Not Provided|~|FULL_TIME|~|True|~|USD|~|170000.0|~|206000.0|~|2025-04-14|~|Remote|~|Unknown|~|US|~|https://www.indeed.com/viewjob?jk=684d6800a9ee124d|~|Bellese is a mission\-driven Digital Services Company committed to pioneering innovative technology solutions in civic healthcare. Our dedication lies in making a meaningful impact on public health outcomes.
Driven by service design we strive to know the “Why” to understand the healthcare journey for patients caregivers providers payers and policymakers. Our goal is to design and build solutions that reduce confusion provide clarity support decision making and streamline the process so that we and our partners can focus on providing better health outcomes by improving patient care and reducing costs and burden.
Bellese is seeking a Principal Salesforce Architect to lead the design evolution and communication of scalable secure and high\-performing Salesforce solutions in support of our mission to improve the healthcare journey through civic innovation.
As a senior technical leader within our Engineering discipline you will shape the long\-term architecture and technical strategy for Salesforce implementations across government programs particularly in health IT. You will define architectural standards lead complex integrations and guide teams across multiple efforts toward excellence in delivery. In addition to hands\-on architecture and mentoring you will also help position Bellese for future opportunities by developing forward\-looking solutions that resonate with government stakeholders and align with agency goals.
This is a highly visible high\-impact role that blends delivery leadership with solution strategy—ideal for someone who thrives in complexity communicates with clarity and is passionate about building systems that last.
Key Responsibilities
Architect and lead the design and delivery of enterprise\-grade Salesforce solutions that align with strategic business and program goals.
Define and enforce architectural standards for scalability performance maintainability and security across teams and projects.
Create reusable frameworks and design patterns for Salesforce components integrations and automations to promote consistency and technical excellence.
Own and evolve core platform components and technical roadmaps proactively identifying opportunities for investment optimization and reusability.
Mentor and guide engineers solution architects and technical contributors fostering a culture of quality accountability and continuous learning.
Implement and refine DevSecOps practices for Salesforce development including CI/CD pipelines test automation and secure deployment strategies.
Lead solution development efforts for new opportunities collaborating with capture and proposal teams to craft architectures author technical content and ensure alignment with customer goals.
Engage directly with federal stakeholders to present technical concepts introduce new capabilities and participate in design challenges and technical evaluations.
Develop artifacts such as whitepapers proposal sections and solution briefs that articulate Belleses technical approach and differentiators in the Salesforce ecosystem.
Contribute to strategic planning for enterprise integration leveraging APIs middleware (e.g. MuleSoft) and event\-driven architecture patterns.
Define governance processes and technical standards appropriate to team maturity and regulatory requirements (e.g. FedRAMP HIPAA SOC 2\).
Support system audits security reviews and compliance planning ensuring Salesforce platforms meet the highest standards of reliability and trust.
Required Skills \& Qualifications
10\+ years of hands\-on experience designing and implementing Salesforce solutions with deep understanding of platform architecture and best practices.
Salesforce Certified Technical Architect (CTA)
Mastery of Apex Lightning Web Components (LWC) and Salesforce Flows.
Proven experience leading large\-scale integrated Salesforce solutions involving REST/SOAP APIs middleware and event\-driven systems.
Strong knowledge of DevOps and CI/CD tooling for Salesforce (e.g. Salesforce DX Jenkins Copado Gearset GitHub Actions).Experience with Salesforce Industry Clouds especially Health Cloud or Government Cloud.
Demonstrated understanding of security best practices governance models and regulatory compliance frameworks (e.g. FedRAMP HIPAA SOC 2\).Excellent written and verbal communication skills including the ability to tailor technical information for a range of audiences.
Track record of contributing to federal proposal efforts including technical solutioning authoring or presenting to customer stakeholders.
Preferred Qualifications
Experience with Agentforce MuleSoft Tableau or Salesforce AI/Einstein Analytics.
Familiarity with Salesforce Governance and Center of Excellence (CoE) models.Experience designing performant architectures for large\-scale data systems and multi\-cloud environments (AWS preferred).
Prior work with HHS agencies particularly CMS or in similarly regulated healthcare environments.
### **Background check requirements**
* US Citizenship or documented proof of eligibility to work in the US
* Has been living in the US for at least the past 3 years
* Successful candidate is subject to a background investigation by the government and must be able to meet the requirements to hold a position of Public Trust
* Disclaimer: Medical or recreational marijuana use is still considered illegal at the federal level regardless of state laws allowing such and may affect your ability to obtain Public Trust. (see article)
### **Joining our team at Bellese Technologies isn't just about the work—it's about the perks and benefits that make every day a little brighter.**
* Four weeks paid time off yearly (prorated based on start date for the first year)
* 10 paid company holidays
* Flexible schedule and remote\-first culture
* $3000 annual education stipend
* Work from home setup including a Macbook
* Collaborative learning environment
* Medical dental and company\-paid vision insurance
* Optional HSA account with some medical plans and a company contribution
* Company paid basic life and AD\&D insurance coverages
* Company paid short and long term life insurance
* Optional critical illness and accident insurance
* 401K plan with 3% safe harbor contribution
* Wellness resources and virtual care
* Perks Plus employee discounts
### **You will like it here if**
* You foster a collaborative ethos driven by the mission to deliver exceptional customer service to clients. You are passionate about Healthcare and changing the healthcare landscape. Youre an out of the box thinker always striving to know the “why” when it comes to building solutions. You excel in a team\-oriented remote\-first environment characterized by mutual respect and open communication. Your adaptability and ability to navigate challenges ensure your success in any situation.
**U.S. citizen or legal right to work in the United States without sponsorship**|~|indeed,branden@autoemployme.onmicrosoft.com|~|in-75ef66b994e1a315|~|Product Security Engineer|~|CoStar Group|~|Consulting And Business Services|~|Not Provided|~|FULL_TIME|~|True|~|USD|~|126815.0|~|209707.0|~|2025-04-14|~|Arlington|~|VA|~|US|~|https://www.indeed.com/viewjob?jk=75ef66b994e1a315|~|Product Security Engineer
Job Description
Overview
CoStar Group (NASDAQ: CSGP) is a leading global provider of commercial and residential real estate information analytics and online marketplaces. Included in the S\&P 500 Index and the NASDAQ 100 CoStar Group is on a mission to digitize the worlds real estate empowering all people to discover properties insights and connections that improve their businesses and lives.
We have been living and breathing the world of real estate information and online marketplaces for over 35 years giving us the perspective to create truly unique and valuable offerings to our customers. Weve continually refined transformed and perfected our approach to our business creating a language that has become standard in our industry for our customers and even our competitors. We continue that effort today and are always working to improve and drive innovation. This is how we deliver for our customers our employees and investors. By equipping the brightest minds with the best resources available we provide an invaluable edge in real estate.
CoStar builds and operates web applications related to real estate. Web applications include Apartments.com Homes.com Lands.com CoStar.com and 75 other web applications. The backbone of our product security is our product platform security environment which consists of commercial and custom developed security controls that run within the IDE the CI/CD system across cloud and Kubernetes platforms and our product edge. Our product platform security engineering group builds and operates centralized controls using infrastructure as code scripting and API integrations to scale security across all web applications in a consistent manner.
This position is located in Arlington VA or Richmond VA and offers a schedule of Monday through Thursday in office and Friday work from home.
Responsibilities
Features (responsibilities and goals) of our product platform security suite: (AKA \- what you will be building and evolving along a rockstar team that learns from and pushes each other to do great things!)* Preventive Security: Build real\-time security feedback loops (IDE \& CI/CD) gate environment builds manage WAF/Bot controls. Cloud IAM security and automation at large scale.
* Cloud \& Container Hardening: Enforce cloud security posture (AWS GCP Azure) secure Kubernetes runtime manage federated IAM at scale.
* Threat Detection \& Response: Enable incident response teams to hunt for threats build run\-time monitoring on cloud\-native workloads incident response escalation paths.
* Security Automation: Integrate automated scanning tools into CI/CD pipelines implement IaC solutions and drive automated remediation processes
* Mentorship \& Collaboration: Work closely with product dev teams to provide feedback on secure coding practices proactively guide them on risk remediation.
Basic Qualifications* Bachelors Degree required from an accredited not for profit university or college (preferably in Computer Science Cybersecurity or a related field)
* A track record of commitment to prior employers
* 4\+ years of hands\-on security engineering experience in one or more of the following domains:
+ Securing cloud\-native environments (AWS preferred)
+ Kubernetes platform hardening or monitoring
+ CI/CD pipelines containerized application deployments and IAC
+ CDN Security
* Demonstrated ability to author scripts or IAC from scratch in either Python PowerShell Ansible CloudFormation Terraform or similar language
* Experience working in a software development environment with a mature CI/CD
* Passion for solving complex challenges innovating and engaging in your work
Preferred Qualifications and Skills* Strong communication skills with both software development and software leadership audiences
* Experience with tools like AWS GuardDuty Security Hub EKS OPA/Gatekeeper Falco Wiz Datadog Prisma Cloud Aqua Snyk or similar
* Hands\-on experience with CDN and WAF security solutions especially Akamai (preferred) or comparable platforms such as Cloudflare AWS (CloudFront \+ WAF) and similar providers.
* Knowledge of infrastructure operations across databases network and system administration
* Ability to communicate with different levels of leadership conveying risk and driving urgency for risk remediation.
* Familiarity with zero trust principles and cloud\-native access controls (e.g. IAM roles service meshes.).
* Ability to mentor and train team members to prioritize security efforts effectively.
* A self\-starter who can advance the application security program and follow\-through ideas to completion.
* Hands\-on experience implementing security tools into CI/CD pipelines.
* Experience testing serverless cloud deployments
Whats in it for You
When you join CoStar Group youll experience a collaborative and innovative culture working alongside the best and brightest to empower our people and customers to succeed.
We offer you generous compensation and performance\-based incentives. CoStar Group also invests in your professional and academic growth with internal training tuition reimbursement and an inter\-office exchange program.
Our benefits package includes (but is not limited to):* Comprehensive healthcare coverage: Medical / Vision / Dental / Prescription Drug
* Life legal and supplementary insurance
* Virtual and in person mental health counseling services for individuals and family
* Commuter and parking benefits
* 401(K) retirement plan with matching contributions
* Employee stock purchase plan
* Paid time off
* Tuition reimbursement
* On\-site fitness center and/or reimbursed fitness center membership costs (location dependent) with yoga studio Pelotons personal training group exercise classes
* Access to CoStar Groups Diversity Equity \& Inclusion Employee Resource Groups
* Complimentary gourmet coffee tea hot chocolate fresh fruit and other healthy snacks
We welcome all qualified candidates who are currently eligible to work full\-time in the United States to apply. However please note that CoStar Group is not able to provide visa sponsorship for this position.
\#LI\-AR
CoStar Group is an Equal Employment Opportunity Employer; we maintain a drug\-free workplace and perform pre\-employment substance abuse testing|~|indeed
Can't render this file because it has a wrong number of fields in line 182.

View File

@ -0,0 +1,365 @@
Job ID|Job Title (Primary)|Company Name|Industry|Experience Level|Job Type|Is Remote|Currency|Salary Min|Salary Max|Date Posted|Location City|Location State|Location Country|Job URL|Job Description|Job Source|User Email
in-748fcd06c48d9977|IT Support Engineer|HALO|Not Provided|Not Provided|FULL_TIME|True|USD|59000.0|83000.0|2025-04-14|Unknown|IL|US|https://www.indeed.com/viewjob?jk=748fcd06c48d9977|"Description:
We are HALO! We connect people and brands to create unforgettable meaningful and lasting experiences that build brand engagement and loyalty for our over 60000 clients globally including over 100 of the Fortune 500\. Our nearly 2000 employees and 1000 Account Executives located in 40\+ sales offices across the United States are the reason HALO is \#1 in our $25B industry.
The **IT Support Engineer** is a senior role on the Service Desk Team. This position is a technical role whose purpose is to fill in the gaps between the various available support teams consolidate knowledge and support the support teams. This role will uplift the quality of documentation and tactical solutions providing subject and process matter expertise. To succeed at this role the candidate must excel at teamwork collaboration communication and conflict de\-escalation. The individuals goal is to quickly triage problems accurately identify root cause and work with senior technical resources to implement reliable and consistent workarounds to assure reduced downtime for affected staff and clients.
**Responsibilities**
* Responds promptly to all requests for assistance and prioritizes and completes requests using professional communication with a high level of customer service within reasonable timeframes.
* Installs configures tests maintains monitors and troubleshoots end\-user computing hardware (including desktops laptops printers mobile devices telephones etc.) and related software.
* Manage and troubleshoot endpoint issues including but not limited to: Laptops Desktops Point of Sales Tablets Smart Devices Phones
* Manage and troubleshoot end\-user application issues including but not limited to: Microsoft O365 Adobe Creative Suite Atlassian Suite Salesforce
* Troubleshoot general network issues including but not limited to: Wireless networking Wired networking Network tracing IP configuration Firewall configuration
* Acts as a liaison between Level 1 Level 2 and Level 3 support to assure solutions are well documented and repeatable
* Participate in vendor management to assure expedited support of products and services.
* Participate in security management to ensure security controls are enforced and compliant with policies and procedures.
* Participate in problem resolution root cause analysis and emergency incident response.
* Subject matter expert across multiple applications products and technologies.
* Process matter expert across multiple workflows processes and procedures both technical and non\-technical.
* Generate professional communications
* Generate technical documentation including formalized workflows processes and procedures.
* Acts as a technical business analyst.
* Develop tactical resolutions and workarounds as needed.
* Provides training on workflows processes and procedures.
* Assist with maintenance and administration or systems and network when required.
* Other duties as assigned.
Requirements:
* Bachelors degree in related field 5\+ years Support experience or equivalent combination of education and experience
* Strong knowledge of Microsoft utilities and operating environment
* Scripting (bash/perl/python/batch/powershell) experience
* Network troubleshooting
* Print management
* Windows/Linux/Mac experience
* iOS/Android
* High Social IQ
* Call center/help desk/service desk experience
* Service Now experience
* Technical writing experience
* Business analyst experience
* Flexibility to be a team player who is willing to work extended hours when needed
**Preferred Skills**
* A\+ Certification
* Network\+
* Server\+
* Linux\+
**Compensation:** The estimated base salary range for this position is between $59000 \- $83000 annually. Please note that this pay range serves as a general guideline and reflects a broad spectrum of labor markets across the US. While it is uncommon for candidates to be hired at or near the top of the range compensation decisions are influenced by various factors. At HALO these include but are not limited to the scope and responsibilities of the role the candidate's work experience location education and training key skills internal equity external market data and broader market and business considerations.
**Benefits:** At HALO we offer benefits that support all aspects of your life helping you find a work\-life balance thats right for you. Our comprehensive benefits include nationwide coverage for Medical Dental Vision Life and Disability insurance along with additional Voluntary Benefits. Prepare for your financial future with our 401(k) Retirement Savings Plan Health Savings Accounts (HSA) and Flexible Spending Accounts (FSA).
**More About HALO:**
At HALO we energize our clients' brands and amplify their stories to capture the attention of those who matter most. Thats why over 60000 small\- and mid\-sized businesses partner with us making us the global leader in the branded merchandise industry.
* **Career Advancement**: At HALO were passionate about promoting from within. Internal promotions have been key to our exponential growth over the past few years. With so many industry leaders at HALO youll have the opportunity to accelerate your career by learning from their experience insights and skills. Plus you'll gain access to HALOs influential global network leadership opportunities and diverse perspectives.
* **Culture**: We love working here and were confident you will too. At HALO youll experience a culture of ingenuity inclusion and relentless determination. We push the limits of possibility and imagination by staying curious humble and bold breaking through yesterdays limits. Diversity fuels our creativity and we thrive when each of us contributes to an inclusive environment based on respect dignity and equity. We hold ourselves to a high standard of excellence with a commitment to results and supporting one another with accountability transparency and dependability.
* **Recognition**: At HALO your success is our success. You can count on us to celebrate your wins. Colleagues across the company will join in recognizing your milestones and nominating you for awards. Over time youll accumulate recognition that can be converted into gift cards trips concert tickets and merchandise from your favorite brands.
* **Flexibility**: Many of our roles offer hybrid work options and we pride ourselves on flexible schedules that help you balance professional and personal demands. We believe that supporting our customers is a top priority and trust that you and your manager will collaborate to create a schedule that achieves this goal.
HALO is an equal opportunity employer. We celebrate diversity and are committed to creating an inclusive environment for all employees. We insist on an environment of mutual respect where equal employment opportunities are available to all applicants without regard to race color religion sex pregnancy (including childbirth lactation and related medical conditions) national origin age physical and mental disability marital status sexual orientation gender identity gender expression genetic information (including characteristics and testing) military and veteran status and any other characteristic protected by applicable law. Inclusion is a core value at HALO and we seek to recruit develop and retain the most talented people.
HALO participates in E\-Verify. Please see the following notices in English and Spanish for important information: E\-Verify Participation and Right to Work.
*HALO is committed to working with and providing reasonable accommodations to individuals with disabilities. If you need reasonable accommodation because of a disability for any part of the employment process including the online application and/or overall selection process you may email us at hr@halo.com. Please do not use this as an alternative method for general inquiries or status on applications as you will not receive a response. Reasonable requests will be reviewed and responded to on a case\-by\-case basis.*"|indeed|branden@autoemployme.onmicrosoft.com
in-1f62da3108b481fc|IT Support Specialist|Scanning Sherpas|Not Provided|Not Provided|CONTRACT|True||||2025-04-14|Unknown|UT|US|https://www.indeed.com/viewjob?jk=1f62da3108b481fc|"**About the Job**
Scanning Sherpas is a trusted medical record retrieval company with over a decade of experience. A Sherpa is a guide who wisely and expertly leads explorers through the most challenging and difficult terrains on earth. Likewise IT Support Specialists helps their fellow Sherpas navigate the complexities and pitfalls of technical issues.
As an IT Support Specialist you will play a crucial role in ensuring our team can work efficiently and securely from anywhere. You will be responsible for troubleshooting technical issues assisting the security team and managing various administrative tasks. Your expertise in remote work technologies security protocols and IT administration will be essential in maintaining our high standards of service.
We are seeking a highly skilled IT Support Specialist to join our team as a 1099 contractor. The ideal candidate will be responsible for providing technical support to a 100% remote workforce assisting the security team and managing various administrative and compliance tasks. This role requires a strong understanding of remote work technologies security protocols and IT administration.
As Sherpas Our Principles Guide Us: Integrity Honesty Reliability Respect Patience Consistency Resourcefulness
**Job Duties**
* Provide technical support to remote employees troubleshooting hardware and software issues.
* Assist the security team in implementing and maintaining security protocols and measures.
* Manage user accounts permissions and access controls.
* Manage computer hardware inventory preparing and shipping replacement systems as needed.
* Administer and support remote work tools and platforms.
* Assist in the development and implementation of IT policies and procedures.
* Provide training and support to employees on IT\-related topics.
* Collaborate with other IT team members to resolve complex technical issues.
* Maintain accurate documentation of IT processes and procedures.
* Other duties as assigned.
**Job Requirements**
* High School Diploma/GED is required.
* Proven experience in IT support preferably in a remote work environment.
* Ability to patiently provide training and support to remote employees.
* Strong understanding of security protocols and best practices.
* Proficiency in remote work tools and platforms especially VPN and remote desktop.
* Familiarity with IT administration and management.
* Excellent problem\-solving and troubleshooting skills especially on Windows.
* Strong communication and interpersonal skills.
* Ability to work independently and as part of a team.
**Job Requirements (Preferred)**
* Bachelor's degree in IT Computer Science or a related field is preferred.
* Knowledge of HIPAA standards and AICPA SOC2 is preferred.
* Familiarity with Microsoft Intune and Google Workspace administration.
* Strong organizational and documentation skills.
* Healthcare industry experience.
* Certifications: CompTIA A\+ CompTIA Security\+ Certified Information Systems Security Professional (CISSP)
**Job Classification \& Compensation**
**Job Type:** 1099 Contractor
**Pay Range:** TBD
**Schedule:** Monday to Friday
Job Type: Contract
Pay: $1\.00 \- $30\.00 per hour
Education:
* Bachelor's (Preferred)
Experience:
* IT support: 3 years (Required)
Location:
* Utah (Required)
Work Location: Remote"|indeed|branden@autoemployme.onmicrosoft.com
go-W0Tmb9QGOz3Lib5hAAAAAA==|Product Manager, CRM Marketing & Data Cloud|PPG|Not Provided|Not Provided|Not Provided|True||||2025-04-12|Pittsburgh|PA|Unknown|https://careers.ppg.com/us/en/job/PIIPIIUSJR2433940EXTERNALENUS/Product-Manager-CRM-Marketing-Data-Cloud?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|"As the Digital Product Manager CRM Marketing & Data Cloud you will play a pivotal role in shaping and executing our strategy to optimize customer engagement retention and acquisition. In order to unlock financial impact you will lead a cross functional cross business unit team through delivery of Salesforce Marketing Cloud Account Engagement & Salesforce Data Cloud and collaborate closely with cross-functional teams including Marketing Sales Commercial Excellence and IT to drive the development implementation and process improvement of CRM solutions.
This is a role will require 20-30% travel. It is based in Pittsburgh PA (USA) or Remote. Relocation assistance available.
Key Responsibilities
• Scale Salesforce Marketing Automation Account Engagement and Salesforce Data Cloud globally across PPGs Strategic Business Units and regions with a focus on negotiating trade-offs to achieve as much standardization as possible while meeting business objectives
• Define and prioritize the product roadmap considering customer needs competitive landscape and business objectives.
• Collaborate cross-functionally with Marketing Operations Sales Commercial Excellence and IT teams to ensure alignment and successful execution of initiatives.
• Work closely with stakeholders to gather and prioritize requirements translating them into actionable product features and enhancements.
• Oversee the end-to-end product development lifecycle from ideation and design to development testing and release.
• Define and monitor key performance metrics to assess product performance identify areas for improvement and drive optimization efforts.
• Stay abreast of industry trends competitor offerings and emerging technologies to inform product strategy and decision-making.
• Leverage customer feedback data analysis and market research to gain insights into customer needs and preferences informing product enhancements and innovations.
• Effectively communicate product plans progress and updates to internal stakeholders executive leadership and external partners as needed.
Qualifications
• Bachelors degree in Business Information Technology or a related field (or equivalent experience).
• 3+ years of hands-on experience with Marketing Cloud and Data Cloud Technology as a Product Manager Administrator or Consultant.
• Salesforce certifications (e.g. Pardot Marketing Cloud) strongly preferred.
• Proven track record of managing Salesforce projects and delivering measurable business outcomes.
• Strong understanding of sales processes metrics and best practices.
• Experience with Agile and/or Scrum methodologies.
• Excellent problem-solving skills and attention to detail.
• Strong communication and interpersonal skills with the ability to influence and collaborate across teams
PPG pay ranges and benefits can vary by location which allows us to compensate employees competitively in different geographic markets. PPG considers several factors in making compensation decisions including but not limited to skill sets experience and training qualifications and education licensure and certifications and other organizational needs. Other incentives may apply.
Our employee benefits programs are designed to support the health and well-being of our employees. Any insurance coverages and benefits will be in accordance with the terms and conditions of the applicable plans and associated governing plan documents.
About us:
Here at PPG we make it happen and we seek candidates of the highest integrity and professionalism who share our values with the commitment and drive to strive today to do better than yesterday everyday.
PPG: WE PROTECT AND BEAUTIFY THE WORLD™
Through leadership in innovation sustainability and color PPG helps customers in industrial transportation consumer products and construction markets and aftermarkets to enhance more surfaces in more ways than does any other company.. To learn more visit www.ppg.com and follow @ PPG on Twitter.
The PPG Way
Every single day at PPG:
We partner with customers to create mutual value.
We are “One PPG” to the world.
We trust our people every day in every way.
We make it happen.
We run it like we own it.
We do better today than yesterday everyday.
PPG provides equal opportunity to all candidates and employees. We offer an opportunity to grow and develop your career in an environment that provides a fulfilling workplace for employees creates an environment for continuous learning and embraces the ideas and diversity of others. All qualified applicants will receive consideration for employment without regard to sex pregnancy race color creed religion national origin age disability status marital status sexual orientation gender identity or expression. If you need assistance to complete your application due to a disability please email recruiting@ppg.com.
PPG values your feedback on our recruiting process. We encourage you to visit Glassdoor.com and provide feedback on the process so that we can do better today than yesterday.
Benefits will be discussed with you by your recruiter during the hiring process."|google|branden@autoemployme.onmicrosoft.com
go-YinELSTXGom9gJNnAAAAAA==|CRM and Loyalty Manager (Healthcare) - Full-time|Nestle|Not Provided|Not Provided|Not Provided|True||||2025-04-13|Bridgewater|NJ|Unknown|https://www.snagajob.com/jobs/1066851347?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|"At Nestlé Health Science we believe that nutrition science and wellness must merge not collide. Here we embrace the intrinsic connections of these three pillars harnessing their collective strength to empower healthier lives. Our broad product portfolio includes renowned brands like Garden of Life® Nature's Bounty® Vital Proteins® Orgain® Nuun® BOOST® Carnation Breakfast Essentials® Peptamen® Compleat Organic Blends® and more. We also have extensive pharmaceutical expertise offering innovative medicines that aim to prevent manage and treat gastrointestinal and metabolic-related diseases.
At Nestlé Health Science we bring our best for better lives. Our people are challenged to bring fresh diverse views and make bold moves to empower healthier lives through nutrition. We know brilliant ideas can come from anyone anywhere. Here we embrace the entrepreneurial spirit and collaborate with teams that champion focused and forward thinking. We are committed to fostering professional growth and celebrating the achievements of our people along the way. We offer dynamic career paths robust development opportunities to learn from talented colleagues around the globe and benefits that support physical financial and emotional wellbeing.
Join us to innovate for impact and reimagine the future of health and nutrition for patients and consumers.
• *POSITION SUMMARY:**
The healthcare marketing landscape is changing fast. Healthcare professionals are increasingly expecting their engagements with companies and brands to be more digital going forward. Nestlé Health Science recognizes the importance of finding and reaching our customers where they are and that means increasing our commitment to transforming our marketing strategy and focusing on healthcare professionals (HCP) Omnichannel.
The CRM & Loyalty Manager (Healthcare) is responsible for developing and executing data-driven CRM strategies to enhance healthcare professionals customer engagement retention and lifetime value. This person will own the end-to-end management of customer email & SMS campaigns and journeys from creation to optimization and drive innovation through testing and continuous improvement. This role requires a strategic thinker with hands-on experience in CRM tools and a passion for creating an effective HCP Omnichannel experience. This is a remote opportunity with quarterly travel anticipated.
• *KEY RESPONSIBILITIES:**
+ Oversight of email & SMS marketing as well as a loyalty program focused on reaching Healthcare Professionals for Nestlé Health Science Professional Health Brands to drive customer acquisition engagement retention and loyalty.
+ Create email and SMS campaigns including calendar management briefing routing QA audience segmentation and scheduling.
+ Build new automated journeys including creative process and creation of flow structure.
+ Optimize existing email & SMS through continuous analysis and improvements.
+ Manage CRM marketing zero & first-party data including incoming leads audiences lists and supplemental profile data.
+ Develop and maintain a testing roadmap including A/B and multi-variate tests to improve engagement and conversion metrics.
+ Manage HCP loyalty program.
+ Measure and report performance of all email SMS and loyalty activations. Lead monthly and quarterly reports internal stakeholders and leadership.
+ Establish relationships and collaborate cross-functionally with Brand Creative & Development Marketing Technology Medical/Legal/Regulatory and Sales partners.
+ Own HCP loyalty program including earning methods rewards referrals tiering and corresponding promotions.
+ Understand each brands target audience overall business goals and strategic marketing objectives.
+ Facilitate HCP Omnichannel strategy and execution to ensure consistency across online and offline touchpoints such as conferences educational webinars media etc.
+ Thought Leadership: Maintain and share expert knowledge of key HCP engagement tactics and the latest industry and market trends along with a POV on what/how we can leverage for our own brand.
• *EXPERIENCE AND EDUCATION REQUIREMENTS:**
+ Bachelor's Degree in Marketing Communications or similar field is required.
+ At least 5 years of experience with CRM & loyalty strategy and hands-on program execution ideally in the healthcare spacewith 2+ years of Healthcare Professional CRM experience.
+ Experience leveraging marketing automation/ESP systems like Salesforce Marketing Cloud Salesforce Account Engagement or Klaviyo required.
+ Experience using loyalty platforms like Yotpo or Salesforce Loyalty Management preferred.
+ Expertise in customer segmentation list management deliverability and CAN-SPAM laws.
+ Experience with data-driven marketing and building programs that drive incremental results.
+ Ability to handle multiple parallel projects across a large portfolio of products.
• *PREFERRED SKILLS:**
+ Communication skills.
+ Ability to build strong working relationships both internally and externally.
+ Project management skills.
+ Analytical skills and understanding of KPI's for CRM and loyalty.
+ Comfortable with learning new technologies.
• *This position will be either a remote or hybrid role based on the selected candidates geographic location. Preference will be given to applicants who live within a commutable distance of Bridgewater NJ Chicago IL Palm Beach Gardens FL or Long Island NY.**
The approximate pay range for this position is $110000 to $130000. Please note that the pay range provided is a good faith estimate for the position at the time of posting. Final compensation may vary based on factors including but not limited to knowledge skills and abilities as well as geographic location.
Nestlé offers performance-based incentives and a competitive total rewards package which includes a 401k with company match healthcare coverage and a broad range of other benefits. Incentives and/or benefit packages may vary depending on the position. Learn more at About Us | Nestlé Careers (nestlejobs.com (https://www.nestlejobs.com/nestle-in-the-us-benefits?\_ga=2.125317066.1960119700.1733792577-1548146364.1721143580) ).
Requisition ID: 338994
It is our business imperative to remain a very inclusive workplace.
To our veterans and separated service members you're at the forefront of our minds as we recruit top talent to join Nestlé. The skills you've gained while serving our country such as flexibility agility and leadership are much like the skills that will make you successful in this role. In addition with our commitment to an inclusive work environment we recognize the exceptional engagement and innovation displayed by individuals with disabilities. Nestlé seeks such skilled and qualified individuals to share our mission where youll join a cohort of others who have chosen to call Nestlé home.
The Nestlé Companies are equal employment opportunity employers. All applicants will receive consideration for employment without regard to race color religion sex sexual orientation gender identity national origin disability or veteran status or any other characteristic protected by applicable law. Prior to the next step in the recruiting process we welcome you to inform us confidentially if you may require any special accommodations in order to participate fully in our recruitment experience. Contact us at accommodations@nestle.com or please dial 711 and provide this number to the operator: 1-800-321-6467.
This position is not eligible for Visa Sponsorship.
Review our applicant privacy notice before applying at https://www.nestlejobs.com/privacy.
At Nestlé Health Science we believe that nutrition science and wellness must merge not collide. Here we embrace the intrinsic connections of these three pillars harnessing their collective strength to empower healthier lives. Our broad product portfolio includes renowned brands like Garden of Life® Nature's Bounty® Vital Proteins® Orgain® Nuun® BOOST® Carnation Breakfast Essentials® Peptamen® Compleat Organic Blends® and more. We also have extensive pharmaceutical expertise offering innovative medicines that aim to prevent manage and treat gastrointestinal and metabolic-related diseases.
At Nestlé Health Science we bring our best for better lives. Our people are challenged to bring fresh diverse views and make bold moves to empower healthier lives through nutrition. We know brilliant ideas can come from anyone anywhere. Here we embrace the entrepreneurial spirit and collaborate with teams that champion focused and forward thinking. We are committed to fostering professional growth and celebrating the achievements of our people along the way. We offer dynamic career paths robust development opportunities to learn from talented colleagues around the globe and benefits that support physical financial and emotional wellbeing.
Join us to innovate for impact and reimagine the future of health and nutrition for patients and consumers.
• *POSITION SUMMARY:**
The healthcare marketing landscape is changing fast. Healthcare professionals are increasingly expecting their engagements with companies and brands to be more digital going forward. Nestlé Health Science recognizes the importance of finding and reaching our customers where they are and that means increasing our commitment to transforming our marketing strategy and focusing on healthcare professionals (HCP) Omnichannel.
The CRM & Loyalty Manager (Healthcare) is responsible for developing and executing data-driven CRM strategies to enhance healthcare professionals customer engagement retention and lifetime value. This person will own the end-to-end management of customer email & SMS campaigns and journeys from creation to optimization and drive innovation through testing and continuous improvement. This role requires a strategic thinker with hands-on experience in CRM tools and a passion for creating an effective HCP Omnichannel experience. This is a remote opportunity with quarterly travel anticipated.
• *KEY RESPONSIBILITIES:**
+ Oversight of email & SMS marketing as well as a loyalty program focused on reaching Healthcare Professionals for Nestlé Health Science Professional Health Brands to drive customer acquisition engagement retention and loyalty.
+ Create email and SMS campaigns including calendar management briefing routing QA audience segmentation and scheduling.
+ Build new automated journeys including creative process and creation of flow structure.
+ Optimize existing email & SMS through continuous analysis and improvements.
+ Manage CRM marketing zero & first-party data including incoming leads audiences lists and supplemental profile data.
+ Develop and maintain a testing roadmap including A/B and multi-variate tests to improve engagement and conversion metrics.
+ Manage HCP loyalty program.
+ Measure and report performance of all email SMS and loyalty activations. Lead monthly and quarterly reports internal stakeholders and leadership.
+ Establish relationships and collaborate cross-functionally with Brand Creative & Development Marketing Technology Medical/Legal/Regulatory and Sales partners.
+ Own HCP loyalty program including earning methods rewards referrals tiering and corresponding promotions.
+ Understand each brands target audience overall business goals and strategic marketing objectives.
+ Facilitate HCP Omnichannel strategy and execution to ensure consistency across online and offline touchpoints such as conferences educational webinars media etc.
+ Thought Leadership: Maintain and share expert knowledge of key HCP engagement tactics and the latest industry and market trends along with a POV on what/how we can leverage for our own brand.
• *EXPERIENCE AND EDUCATION REQUIREMENTS:**
+ Bachelor's Degree in Marketing Communications or similar field is required.
+ At least 5 years of experience with CRM & loyalty strategy and hands-on program execution ideally in the healthcare spacewith 2+ years of Healthcare Professional CRM experience.
+ Experience leveraging marketing automation/ESP systems like Salesforce Marketing Cloud Salesforce Account Engagement or Klaviyo required.
+ Experience using loyalty platforms like Yotpo or Salesforce Loyalty Management preferred.
+ Expertise in customer segmentation list management deliverability and CAN-SPAM laws.
+ Experience with data-driven marketing and building programs that drive incremental results.
+ Ability to handle multiple parallel projects across a large portfolio of products.
• *PREFERRED SKILLS:**
+ Communication skills.
+ Ability to build strong working relationships both internally and externally.
+ Project management skills.
+ Analytical skills and understanding of KPI's for CRM and loyalty.
+ Comfortable with learning new technologies.
• *This position will be either a remote or hybrid role based on the selected candidates geographic location. Preference will be given to applicants who live within a commutable distance of Bridgewater NJ Chicago IL Palm Beach Gardens FL or Long Island NY.**
The approximate pay range for this position is $110000 to $130000. Please note that the pay range provided is a good faith estimate for the position at the time of posting. Final compensation may vary based on factors including but not limited to knowledge skills and abilities as well as geographic location.
Nestlé offers performance-based incentives and a competitive total rewards package which includes a 401k with company match healthcare coverage and a broad range of other benefits. Incentives and/or benefit packages may vary depending on the position. Learn more at About Us | Nestlé Careers (nestlejobs.com (https://www.nestlejobs.com/nestle-in-the-us-benefits?\_ga=2.125317066.1960119700.1733792577-1548146364.1721143580) ).
Requisition ID: 338994
It is our business imperative to remain a very inclusive workplace.
To our veterans and separated service members you're at the forefront of our minds as we recruit top talent to join Nestlé. The skills you've gained while serving our country such as flexibility agility and leadership are much like the skills that will make you successful in this role. In addition with our commitment to an inclusive work environment we recognize the exceptional engagement and innovation displayed by individuals with disabilities. Nestlé seeks such skilled and qualified individuals to share our mission where youll join a cohort of others who have chosen to call Nestlé home.
The Nestlé Companies are equal employment opportunity employers. All applicants will receive consideration for employment without regard to race color religion sex sexual orientation gender identity national origin disability or veteran status or any other characteristic protected by applicable law. Prior to the next step in the recruiting process we welcome you to inform us confidentially if you may require any special accommodations in order to participate fully in our recruitment experience. Contact us at accommodations@nestle.com or please dial 711 and provide this number to the operator: 1-800-321-6467.
This position is not eligible for Visa Sponsorship.
Review our applicant privacy notice before applying at https://www.nestlejobs.com/privacy."|google|branden@autoemployme.onmicrosoft.com
1 Job ID Job Title (Primary) Company Name Industry Experience Level Job Type Is Remote Currency Salary Min Salary Max Date Posted Location City Location State Location Country Job URL Job Description Job Source User Email
2 in-748fcd06c48d9977 IT Support Engineer HALO Not Provided Not Provided FULL_TIME True USD 59000.0 83000.0 2025-04-14 Unknown IL US https://www.indeed.com/viewjob?jk=748fcd06c48d9977 Description: We are HALO! We connect people and brands to create unforgettable meaningful and lasting experiences that build brand engagement and loyalty for our over 60000 clients globally including over 100 of the Fortune 500\. Our nearly 2000 employees and 1000 Account Executives located in 40\+ sales offices across the United States are the reason HALO is \#1 in our $25B industry. The **IT Support Engineer** is a senior role on the Service Desk Team. This position is a technical role whose purpose is to fill in the gaps between the various available support teams consolidate knowledge and support the support teams. This role will uplift the quality of documentation and tactical solutions providing subject and process matter expertise. To succeed at this role the candidate must excel at teamwork collaboration communication and conflict de\-escalation. The individual’s goal is to quickly triage problems accurately identify root cause and work with senior technical resources to implement reliable and consistent workarounds to assure reduced downtime for affected staff and clients. **Responsibilities** * Responds promptly to all requests for assistance and prioritizes and completes requests using professional communication with a high level of customer service within reasonable timeframes. * Installs configures tests maintains monitors and troubleshoots end\-user computing hardware (including desktops laptops printers mobile devices telephones etc.) and related software. * Manage and troubleshoot endpoint issues including but not limited to: Laptops Desktops Point of Sales Tablets Smart Devices Phones * Manage and troubleshoot end\-user application issues including but not limited to: Microsoft O365 Adobe Creative Suite Atlassian Suite Salesforce * Troubleshoot general network issues including but not limited to: Wireless networking Wired networking Network tracing IP configuration Firewall configuration * Acts as a liaison between Level 1 Level 2 and Level 3 support to assure solutions are well documented and repeatable * Participate in vendor management to assure expedited support of products and services. * Participate in security management to ensure security controls are enforced and compliant with policies and procedures. * Participate in problem resolution root cause analysis and emergency incident response. * Subject matter expert across multiple applications products and technologies. * Process matter expert across multiple workflows processes and procedures both technical and non\-technical. * Generate professional communications * Generate technical documentation including formalized workflows processes and procedures. * Acts as a technical business analyst. * Develop tactical resolutions and workarounds as needed. * Provides training on workflows processes and procedures. * Assist with maintenance and administration or systems and network when required. * Other duties as assigned. Requirements: * Bachelor’s degree in related field 5\+ years Support experience or equivalent combination of education and experience * Strong knowledge of Microsoft utilities and operating environment * Scripting (bash/perl/python/batch/powershell) experience * Network troubleshooting * Print management * Windows/Linux/Mac experience * iOS/Android * High Social IQ * Call center/help desk/service desk experience * Service Now experience * Technical writing experience * Business analyst experience * Flexibility to be a team player who is willing to work extended hours when needed **Preferred Skills** * A\+ Certification * Network\+ * Server\+ * Linux\+ **Compensation:** The estimated base salary range for this position is between $59000 \- $83000 annually. Please note that this pay range serves as a general guideline and reflects a broad spectrum of labor markets across the US. While it is uncommon for candidates to be hired at or near the top of the range compensation decisions are influenced by various factors. At HALO these include but are not limited to the scope and responsibilities of the role the candidate's work experience location education and training key skills internal equity external market data and broader market and business considerations. **Benefits:** At HALO we offer benefits that support all aspects of your life helping you find a work\-life balance that’s right for you. Our comprehensive benefits include nationwide coverage for Medical Dental Vision Life and Disability insurance along with additional Voluntary Benefits. Prepare for your financial future with our 401(k) Retirement Savings Plan Health Savings Accounts (HSA) and Flexible Spending Accounts (FSA). **More About HALO:** At HALO we energize our clients' brands and amplify their stories to capture the attention of those who matter most. That’s why over 60000 small\- and mid\-sized businesses partner with us making us the global leader in the branded merchandise industry. * **Career Advancement**: At HALO we’re passionate about promoting from within. Internal promotions have been key to our exponential growth over the past few years. With so many industry leaders at HALO you’ll have the opportunity to accelerate your career by learning from their experience insights and skills. Plus you'll gain access to HALO’s influential global network leadership opportunities and diverse perspectives. * **Culture**: We love working here and we’re confident you will too. At HALO you’ll experience a culture of ingenuity inclusion and relentless determination. We push the limits of possibility and imagination by staying curious humble and bold breaking through yesterday’s limits. Diversity fuels our creativity and we thrive when each of us contributes to an inclusive environment based on respect dignity and equity. We hold ourselves to a high standard of excellence with a commitment to results and supporting one another with accountability transparency and dependability. * **Recognition**: At HALO your success is our success. You can count on us to celebrate your wins. Colleagues across the company will join in recognizing your milestones and nominating you for awards. Over time you’ll accumulate recognition that can be converted into gift cards trips concert tickets and merchandise from your favorite brands. * **Flexibility**: Many of our roles offer hybrid work options and we pride ourselves on flexible schedules that help you balance professional and personal demands. We believe that supporting our customers is a top priority and trust that you and your manager will collaborate to create a schedule that achieves this goal. HALO is an equal opportunity employer. We celebrate diversity and are committed to creating an inclusive environment for all employees. We insist on an environment of mutual respect where equal employment opportunities are available to all applicants without regard to race color religion sex pregnancy (including childbirth lactation and related medical conditions) national origin age physical and mental disability marital status sexual orientation gender identity gender expression genetic information (including characteristics and testing) military and veteran status and any other characteristic protected by applicable law. Inclusion is a core value at HALO and we seek to recruit develop and retain the most talented people. HALO participates in E\-Verify. Please see the following notices in English and Spanish for important information: E\-Verify Participation and Right to Work. *HALO is committed to working with and providing reasonable accommodations to individuals with disabilities. If you need reasonable accommodation because of a disability for any part of the employment process – including the online application and/or overall selection process – you may email us at hr@halo.com. Please do not use this as an alternative method for general inquiries or status on applications as you will not receive a response. Reasonable requests will be reviewed and responded to on a case\-by\-case basis.* indeed branden@autoemployme.onmicrosoft.com
3 in-1f62da3108b481fc IT Support Specialist Scanning Sherpas Not Provided Not Provided CONTRACT True 2025-04-14 Unknown UT US https://www.indeed.com/viewjob?jk=1f62da3108b481fc **About the Job** Scanning Sherpas is a trusted medical record retrieval company with over a decade of experience. A Sherpa is a guide who wisely and expertly leads explorers through the most challenging and difficult terrains on earth. Likewise IT Support Specialists helps their fellow Sherpas navigate the complexities and pitfalls of technical issues. As an IT Support Specialist you will play a crucial role in ensuring our team can work efficiently and securely from anywhere. You will be responsible for troubleshooting technical issues assisting the security team and managing various administrative tasks. Your expertise in remote work technologies security protocols and IT administration will be essential in maintaining our high standards of service. We are seeking a highly skilled IT Support Specialist to join our team as a 1099 contractor. The ideal candidate will be responsible for providing technical support to a 100% remote workforce assisting the security team and managing various administrative and compliance tasks. This role requires a strong understanding of remote work technologies security protocols and IT administration. As Sherpas Our Principles Guide Us: Integrity Honesty Reliability Respect Patience Consistency Resourcefulness **Job Duties** * Provide technical support to remote employees troubleshooting hardware and software issues. * Assist the security team in implementing and maintaining security protocols and measures. * Manage user accounts permissions and access controls. * Manage computer hardware inventory preparing and shipping replacement systems as needed. * Administer and support remote work tools and platforms. * Assist in the development and implementation of IT policies and procedures. * Provide training and support to employees on IT\-related topics. * Collaborate with other IT team members to resolve complex technical issues. * Maintain accurate documentation of IT processes and procedures. * Other duties as assigned. **Job Requirements** * High School Diploma/GED is required. * Proven experience in IT support preferably in a remote work environment. * Ability to patiently provide training and support to remote employees. * Strong understanding of security protocols and best practices. * Proficiency in remote work tools and platforms especially VPN and remote desktop. * Familiarity with IT administration and management. * Excellent problem\-solving and troubleshooting skills especially on Windows. * Strong communication and interpersonal skills. * Ability to work independently and as part of a team. **Job Requirements (Preferred)** * Bachelor's degree in IT Computer Science or a related field is preferred. * Knowledge of HIPAA standards and AICPA SOC2 is preferred. * Familiarity with Microsoft Intune and Google Workspace administration. * Strong organizational and documentation skills. * Healthcare industry experience. * Certifications: CompTIA A\+ CompTIA Security\+ Certified Information Systems Security Professional (CISSP) **Job Classification \& Compensation** **Job Type:** 1099 Contractor **Pay Range:** TBD **Schedule:** Monday to Friday Job Type: Contract Pay: $1\.00 \- $30\.00 per hour Education: * Bachelor's (Preferred) Experience: * IT support: 3 years (Required) Location: * Utah (Required) Work Location: Remote indeed branden@autoemployme.onmicrosoft.com
4 go-W0Tmb9QGOz3Lib5hAAAAAA== Product Manager, CRM Marketing & Data Cloud PPG Not Provided Not Provided Not Provided True 2025-04-12 Pittsburgh PA Unknown https://careers.ppg.com/us/en/job/PIIPIIUSJR2433940EXTERNALENUS/Product-Manager-CRM-Marketing-Data-Cloud?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic As the Digital Product Manager CRM Marketing & Data Cloud you will play a pivotal role in shaping and executing our strategy to optimize customer engagement retention and acquisition. In order to unlock financial impact you will lead a cross functional cross business unit team through delivery of Salesforce Marketing Cloud Account Engagement & Salesforce Data Cloud and collaborate closely with cross-functional teams including Marketing Sales Commercial Excellence and IT to drive the development implementation and process improvement of CRM solutions. This is a role will require 20-30% travel. It is based in Pittsburgh PA (USA) or Remote. Relocation assistance available. Key Responsibilities • Scale Salesforce Marketing Automation Account Engagement and Salesforce Data Cloud globally across PPG’s Strategic Business Units and regions with a focus on negotiating trade-offs to achieve as much standardization as possible while meeting business objectives • Define and prioritize the product roadmap considering customer needs competitive landscape and business objectives. • Collaborate cross-functionally with Marketing Operations Sales Commercial Excellence and IT teams to ensure alignment and successful execution of initiatives. • Work closely with stakeholders to gather and prioritize requirements translating them into actionable product features and enhancements. • Oversee the end-to-end product development lifecycle from ideation and design to development testing and release. • Define and monitor key performance metrics to assess product performance identify areas for improvement and drive optimization efforts. • Stay abreast of industry trends competitor offerings and emerging technologies to inform product strategy and decision-making. • Leverage customer feedback data analysis and market research to gain insights into customer needs and preferences informing product enhancements and innovations. • Effectively communicate product plans progress and updates to internal stakeholders executive leadership and external partners as needed. Qualifications • Bachelor’s degree in Business Information Technology or a related field (or equivalent experience). • 3+ years of hands-on experience with Marketing Cloud and Data Cloud Technology as a Product Manager Administrator or Consultant. • Salesforce certifications (e.g. Pardot Marketing Cloud) strongly preferred. • Proven track record of managing Salesforce projects and delivering measurable business outcomes. • Strong understanding of sales processes metrics and best practices. • Experience with Agile and/or Scrum methodologies. • Excellent problem-solving skills and attention to detail. • Strong communication and interpersonal skills with the ability to influence and collaborate across teams PPG pay ranges and benefits can vary by location which allows us to compensate employees competitively in different geographic markets. PPG considers several factors in making compensation decisions including but not limited to skill sets experience and training qualifications and education licensure and certifications and other organizational needs. Other incentives may apply. Our employee benefits programs are designed to support the health and well-being of our employees. Any insurance coverages and benefits will be in accordance with the terms and conditions of the applicable plans and associated governing plan documents. About us: Here at PPG we make it happen and we seek candidates of the highest integrity and professionalism who share our values with the commitment and drive to strive today to do better than yesterday – everyday. PPG: WE PROTECT AND BEAUTIFY THE WORLD™ Through leadership in innovation sustainability and color PPG helps customers in industrial transportation consumer products and construction markets and aftermarkets to enhance more surfaces in more ways than does any other company.. To learn more visit www.ppg.com and follow @ PPG on Twitter. The PPG Way Every single day at PPG: We partner with customers to create mutual value. We are “One PPG” to the world. We trust our people every day in every way. We make it happen. We run it like we own it. We do better today than yesterday – everyday. PPG provides equal opportunity to all candidates and employees. We offer an opportunity to grow and develop your career in an environment that provides a fulfilling workplace for employees creates an environment for continuous learning and embraces the ideas and diversity of others. All qualified applicants will receive consideration for employment without regard to sex pregnancy race color creed religion national origin age disability status marital status sexual orientation gender identity or expression. If you need assistance to complete your application due to a disability please email recruiting@ppg.com. PPG values your feedback on our recruiting process. We encourage you to visit Glassdoor.com and provide feedback on the process so that we can do better today than yesterday. Benefits will be discussed with you by your recruiter during the hiring process. google branden@autoemployme.onmicrosoft.com
5 go-YinELSTXGom9gJNnAAAAAA== CRM and Loyalty Manager (Healthcare) - Full-time Nestle Not Provided Not Provided Not Provided True 2025-04-13 Bridgewater NJ Unknown https://www.snagajob.com/jobs/1066851347?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic At Nestlé Health Science we believe that nutrition science and wellness must merge not collide. Here we embrace the intrinsic connections of these three pillars harnessing their collective strength to empower healthier lives. Our broad product portfolio includes renowned brands like Garden of Life® Nature's Bounty® Vital Proteins® Orgain® Nuun® BOOST® Carnation Breakfast Essentials® Peptamen® Compleat Organic Blends® and more. We also have extensive pharmaceutical expertise offering innovative medicines that aim to prevent manage and treat gastrointestinal and metabolic-related diseases. At Nestlé Health Science we bring our best for better lives. Our people are challenged to bring fresh diverse views and make bold moves to empower healthier lives through nutrition. We know brilliant ideas can come from anyone anywhere. Here we embrace the entrepreneurial spirit and collaborate with teams that champion focused and forward thinking. We are committed to fostering professional growth and celebrating the achievements of our people along the way. We offer dynamic career paths robust development opportunities to learn from talented colleagues around the globe and benefits that support physical financial and emotional wellbeing. Join us to innovate for impact and reimagine the future of health and nutrition for patients and consumers. • *POSITION SUMMARY:** The healthcare marketing landscape is changing fast. Healthcare professionals are increasingly expecting their engagements with companies and brands to be more digital going forward. Nestlé Health Science recognizes the importance of finding and reaching our customers where they are and that means increasing our commitment to transforming our marketing strategy and focusing on healthcare professionals (HCP) Omnichannel.   The CRM & Loyalty Manager (Healthcare) is responsible for developing and executing data-driven CRM strategies to enhance healthcare professionals customer engagement retention and lifetime value. This person will own the end-to-end management of customer email & SMS campaigns and journeys from creation to optimization and drive innovation through testing and continuous improvement. This role requires a strategic thinker with hands-on experience in CRM tools and a passion for creating an effective HCP Omnichannel experience. This is a remote opportunity with quarterly travel anticipated. • *KEY RESPONSIBILITIES:** + Oversight of email & SMS marketing as well as a loyalty program focused on reaching Healthcare Professionals for Nestlé Health Science Professional Health Brands to drive customer acquisition engagement retention and loyalty. + Create email and SMS campaigns including calendar management briefing routing QA audience segmentation and scheduling. + Build new automated journeys including creative process and creation of flow structure. + Optimize existing email & SMS through continuous analysis and improvements. + Manage CRM marketing zero & first-party data including incoming leads audiences lists and supplemental profile data. + Develop and maintain a testing roadmap including A/B and multi-variate tests to improve engagement and conversion metrics. + Manage HCP loyalty program. + Measure and report performance of all email SMS and loyalty activations. Lead monthly and quarterly reports internal stakeholders and leadership. + Establish relationships and collaborate cross-functionally with Brand Creative & Development Marketing Technology Medical/Legal/Regulatory and Sales partners. + Own HCP loyalty program including earning methods rewards referrals tiering and corresponding promotions. + Understand each brand’s target audience overall business goals and strategic marketing objectives. + Facilitate HCP Omnichannel strategy and execution to ensure consistency across online and offline touchpoints such as conferences educational webinars media etc. + Thought Leadership: Maintain and share expert knowledge of key HCP engagement tactics and the latest industry and market trends along with a POV on what/how we can leverage for our own brand. • *EXPERIENCE AND EDUCATION REQUIREMENTS:** + Bachelor's Degree in Marketing Communications or similar field is required. + At least 5 years of experience with CRM & loyalty strategy and hands-on program execution ideally in the healthcare space with 2+ years of Healthcare Professional CRM experience. + Experience leveraging marketing automation/ESP systems like Salesforce Marketing Cloud Salesforce Account Engagement or Klaviyo required. + Experience using loyalty platforms like Yotpo or Salesforce Loyalty Management preferred. + Expertise in customer segmentation list management deliverability and CAN-SPAM laws. + Experience with data-driven marketing and building programs that drive incremental results. + Ability to handle multiple parallel projects across a large portfolio of products. • *PREFERRED SKILLS:** + Communication skills. + Ability to build strong working relationships both internally and externally. + Project management skills. + Analytical skills and understanding of KPI's for CRM and loyalty. + Comfortable with learning new technologies. • *This position will be either a remote or hybrid role based on the selected candidate’s geographic location. Preference will be given to applicants who live within a commutable distance of Bridgewater NJ Chicago IL Palm Beach Gardens FL or Long Island NY.** The approximate pay range for this position is $110000 to $130000. Please note that the pay range provided is a good faith estimate for the position at the time of posting. Final compensation may vary based on factors including but not limited to knowledge skills and abilities as well as geographic location. Nestlé offers performance-based incentives and a competitive total rewards package which includes a 401k with company match healthcare coverage and a broad range of other benefits. Incentives and/or benefit packages may vary depending on the position. Learn more at About Us | Nestlé Careers (nestlejobs.com (https://www.nestlejobs.com/nestle-in-the-us-benefits?\_ga=2.125317066.1960119700.1733792577-1548146364.1721143580) ). Requisition ID: 338994 It is our business imperative to remain a very inclusive workplace. To our veterans and separated service members you're at the forefront of our minds as we recruit top talent to join Nestlé. The skills you've gained while serving our country such as flexibility agility and leadership are much like the skills that will make you successful in this role. In addition with our commitment to an inclusive work environment we recognize the exceptional engagement and innovation displayed by individuals with disabilities. Nestlé seeks such skilled and qualified individuals to share our mission where you’ll join a cohort of others who have chosen to call Nestlé home. The Nestlé Companies are equal employment opportunity employers. All applicants will receive consideration for employment without regard to race color religion sex sexual orientation gender identity national origin disability or veteran status or any other characteristic protected by applicable law. Prior to the next step in the recruiting process we welcome you to inform us confidentially if you may require any special accommodations in order to participate fully in our recruitment experience. Contact us at accommodations@nestle.com or please dial 711 and provide this number to the operator: 1-800-321-6467. This position is not eligible for Visa Sponsorship. Review our applicant privacy notice before applying at https://www.nestlejobs.com/privacy. At Nestlé Health Science we believe that nutrition science and wellness must merge not collide. Here we embrace the intrinsic connections of these three pillars harnessing their collective strength to empower healthier lives. Our broad product portfolio includes renowned brands like Garden of Life® Nature's Bounty® Vital Proteins® Orgain® Nuun® BOOST® Carnation Breakfast Essentials® Peptamen® Compleat Organic Blends® and more. We also have extensive pharmaceutical expertise offering innovative medicines that aim to prevent manage and treat gastrointestinal and metabolic-related diseases. At Nestlé Health Science we bring our best for better lives. Our people are challenged to bring fresh diverse views and make bold moves to empower healthier lives through nutrition. We know brilliant ideas can come from anyone anywhere. Here we embrace the entrepreneurial spirit and collaborate with teams that champion focused and forward thinking. We are committed to fostering professional growth and celebrating the achievements of our people along the way. We offer dynamic career paths robust development opportunities to learn from talented colleagues around the globe and benefits that support physical financial and emotional wellbeing. Join us to innovate for impact and reimagine the future of health and nutrition for patients and consumers. • *POSITION SUMMARY:** The healthcare marketing landscape is changing fast. Healthcare professionals are increasingly expecting their engagements with companies and brands to be more digital going forward. Nestlé Health Science recognizes the importance of finding and reaching our customers where they are and that means increasing our commitment to transforming our marketing strategy and focusing on healthcare professionals (HCP) Omnichannel.   The CRM & Loyalty Manager (Healthcare) is responsible for developing and executing data-driven CRM strategies to enhance healthcare professionals customer engagement retention and lifetime value. This person will own the end-to-end management of customer email & SMS campaigns and journeys from creation to optimization and drive innovation through testing and continuous improvement. This role requires a strategic thinker with hands-on experience in CRM tools and a passion for creating an effective HCP Omnichannel experience. This is a remote opportunity with quarterly travel anticipated. • *KEY RESPONSIBILITIES:** + Oversight of email & SMS marketing as well as a loyalty program focused on reaching Healthcare Professionals for Nestlé Health Science Professional Health Brands to drive customer acquisition engagement retention and loyalty. + Create email and SMS campaigns including calendar management briefing routing QA audience segmentation and scheduling. + Build new automated journeys including creative process and creation of flow structure. + Optimize existing email & SMS through continuous analysis and improvements. + Manage CRM marketing zero & first-party data including incoming leads audiences lists and supplemental profile data. + Develop and maintain a testing roadmap including A/B and multi-variate tests to improve engagement and conversion metrics. + Manage HCP loyalty program. + Measure and report performance of all email SMS and loyalty activations. Lead monthly and quarterly reports internal stakeholders and leadership. + Establish relationships and collaborate cross-functionally with Brand Creative & Development Marketing Technology Medical/Legal/Regulatory and Sales partners. + Own HCP loyalty program including earning methods rewards referrals tiering and corresponding promotions. + Understand each brand’s target audience overall business goals and strategic marketing objectives. + Facilitate HCP Omnichannel strategy and execution to ensure consistency across online and offline touchpoints such as conferences educational webinars media etc. + Thought Leadership: Maintain and share expert knowledge of key HCP engagement tactics and the latest industry and market trends along with a POV on what/how we can leverage for our own brand. • *EXPERIENCE AND EDUCATION REQUIREMENTS:** + Bachelor's Degree in Marketing Communications or similar field is required. + At least 5 years of experience with CRM & loyalty strategy and hands-on program execution ideally in the healthcare space with 2+ years of Healthcare Professional CRM experience. + Experience leveraging marketing automation/ESP systems like Salesforce Marketing Cloud Salesforce Account Engagement or Klaviyo required. + Experience using loyalty platforms like Yotpo or Salesforce Loyalty Management preferred. + Expertise in customer segmentation list management deliverability and CAN-SPAM laws. + Experience with data-driven marketing and building programs that drive incremental results. + Ability to handle multiple parallel projects across a large portfolio of products. • *PREFERRED SKILLS:** + Communication skills. + Ability to build strong working relationships both internally and externally. + Project management skills. + Analytical skills and understanding of KPI's for CRM and loyalty. + Comfortable with learning new technologies. • *This position will be either a remote or hybrid role based on the selected candidate’s geographic location. Preference will be given to applicants who live within a commutable distance of Bridgewater NJ Chicago IL Palm Beach Gardens FL or Long Island NY.** The approximate pay range for this position is $110000 to $130000. Please note that the pay range provided is a good faith estimate for the position at the time of posting. Final compensation may vary based on factors including but not limited to knowledge skills and abilities as well as geographic location. Nestlé offers performance-based incentives and a competitive total rewards package which includes a 401k with company match healthcare coverage and a broad range of other benefits. Incentives and/or benefit packages may vary depending on the position. Learn more at About Us | Nestlé Careers (nestlejobs.com (https://www.nestlejobs.com/nestle-in-the-us-benefits?\_ga=2.125317066.1960119700.1733792577-1548146364.1721143580) ). Requisition ID: 338994 It is our business imperative to remain a very inclusive workplace. To our veterans and separated service members you're at the forefront of our minds as we recruit top talent to join Nestlé. The skills you've gained while serving our country such as flexibility agility and leadership are much like the skills that will make you successful in this role. In addition with our commitment to an inclusive work environment we recognize the exceptional engagement and innovation displayed by individuals with disabilities. Nestlé seeks such skilled and qualified individuals to share our mission where you’ll join a cohort of others who have chosen to call Nestlé home. The Nestlé Companies are equal employment opportunity employers. All applicants will receive consideration for employment without regard to race color religion sex sexual orientation gender identity national origin disability or veteran status or any other characteristic protected by applicable law. Prior to the next step in the recruiting process we welcome you to inform us confidentially if you may require any special accommodations in order to participate fully in our recruitment experience. Contact us at accommodations@nestle.com or please dial 711 and provide this number to the operator: 1-800-321-6467. This position is not eligible for Visa Sponsorship. Review our applicant privacy notice before applying at https://www.nestlejobs.com/privacy. google branden@autoemployme.onmicrosoft.com