mirror of https://github.com/Bunsly/JobSpy
fixed configs and outputs file paths add & modify
parent
93a21941eb
commit
529aa8a1f4
|
@ -40,8 +40,8 @@ jobs:
|
||||||
run: |
|
run: |
|
||||||
python scripts/job_scraper_dynamic.py "${{ github.event.inputs.user_email }}"
|
python scripts/job_scraper_dynamic.py "${{ github.event.inputs.user_email }}"
|
||||||
|
|
||||||
- name: Upload Artifact
|
- name: Upload Output Artifact
|
||||||
uses: actions/upload-artifact@v4
|
uses: actions/upload-artifact@v4
|
||||||
with:
|
with:
|
||||||
name: jobspy-output-${{ steps.sanitize.outputs.safe_email }}
|
name: jobspy-output-${{ steps.sanitize.outputs.safe_email }}
|
||||||
path: jobspy_output_dynamic_${{ steps.sanitize.outputs.safe_email }}.csv
|
path: outputs/jobspy_output_dynamic_${{ steps.sanitize.outputs.safe_email }}.csv
|
||||||
|
|
|
@ -16,29 +16,20 @@ sources = {
|
||||||
}
|
}
|
||||||
|
|
||||||
def sanitize_email(email):
|
def sanitize_email(email):
|
||||||
"""Sanitize email to create safe filenames."""
|
|
||||||
return email.replace("@", "_at_").replace(".", "_")
|
return email.replace("@", "_at_").replace(".", "_")
|
||||||
|
|
||||||
def load_config_file(email=None):
|
def load_config_file(email=None):
|
||||||
"""Load config JSON from /configs directory or fallback to root config.json"""
|
|
||||||
if email:
|
if email:
|
||||||
safe_email = sanitize_email(email)
|
safe_email = sanitize_email(email)
|
||||||
config_path = os.path.join("configs", f"config_{safe_email}.json")
|
config_path = os.path.join("configs", f"config_{safe_email}.json")
|
||||||
if os.path.exists(config_path):
|
if os.path.exists(config_path):
|
||||||
print(f"📂 Loading config for {email} from: {config_path}")
|
print(f"📂 Loading config for {email} → {config_path}")
|
||||||
with open(config_path, "r", encoding="utf-8") as f:
|
with open(config_path, "r", encoding="utf-8") as f:
|
||||||
return json.load(f), safe_email
|
return json.load(f), safe_email
|
||||||
else:
|
else:
|
||||||
print(f"⚠️ Config not found for {email}, falling back to root config.json")
|
raise FileNotFoundError(f"❌ Config for {email} not found at {config_path}")
|
||||||
|
|
||||||
if os.path.exists("config.json"):
|
|
||||||
print("📂 Loading default config.json from root")
|
|
||||||
with open("config.json", "r", encoding="utf-8") as f:
|
|
||||||
config = json.load(f)
|
|
||||||
safe_email = sanitize_email(config["user_email"])
|
|
||||||
return config, safe_email
|
|
||||||
else:
|
else:
|
||||||
raise FileNotFoundError("❌ No config.json found anywhere!")
|
raise ValueError("❌ Email must be passed as argument")
|
||||||
|
|
||||||
def scrape_jobs(search_terms, results_wanted, max_days_old, target_state):
|
def scrape_jobs(search_terms, results_wanted, max_days_old, target_state):
|
||||||
all_jobs = []
|
all_jobs = []
|
||||||
|
@ -89,9 +80,9 @@ def scrape_jobs(search_terms, results_wanted, max_days_old, target_state):
|
||||||
print(f"✅ {len(all_jobs)} jobs matched.")
|
print(f"✅ {len(all_jobs)} jobs matched.")
|
||||||
return all_jobs
|
return all_jobs
|
||||||
|
|
||||||
def save_jobs_to_csv(jobs, filename):
|
def save_jobs_to_csv(jobs, output_path):
|
||||||
if not jobs:
|
if not jobs:
|
||||||
print("⚠️ No jobs found matching criteria.")
|
print("⚠️ No jobs found.")
|
||||||
return
|
return
|
||||||
|
|
||||||
fieldnames = [
|
fieldnames = [
|
||||||
|
@ -103,20 +94,21 @@ def save_jobs_to_csv(jobs, filename):
|
||||||
]
|
]
|
||||||
|
|
||||||
header = "|~|".join(fieldnames)
|
header = "|~|".join(fieldnames)
|
||||||
records = [header]
|
rows = [header]
|
||||||
|
|
||||||
for job in jobs:
|
for job in jobs:
|
||||||
row = []
|
row = []
|
||||||
for field in fieldnames:
|
for field in fieldnames:
|
||||||
value = str(job.get(field, "Not Provided")).replace(",", "").strip()
|
value = str(job.get(field, "Not Provided")).replace(",", "").strip()
|
||||||
row.append(value if value else "Not Provided")
|
row.append(value if value else "Not Provided")
|
||||||
records.append("|~|".join(row))
|
rows.append("|~|".join(row))
|
||||||
|
|
||||||
output = ",".join(records)
|
output = ",".join(rows)
|
||||||
with open(filename, "w", encoding="utf-8") as f:
|
os.makedirs(os.path.dirname(output_path), exist_ok=True)
|
||||||
|
with open(output_path, "w", encoding="utf-8") as f:
|
||||||
f.write(output)
|
f.write(output)
|
||||||
|
|
||||||
print(f"💾 Jobs saved to: {filename} ({len(jobs)} entries)")
|
print(f"💾 Saved output to: {output_path}")
|
||||||
|
|
||||||
# MAIN
|
# MAIN
|
||||||
if __name__ == "__main__":
|
if __name__ == "__main__":
|
||||||
|
@ -124,15 +116,16 @@ if __name__ == "__main__":
|
||||||
user_email = sys.argv[1] if len(sys.argv) >= 2 else None
|
user_email = sys.argv[1] if len(sys.argv) >= 2 else None
|
||||||
config, safe_email = load_config_file(user_email)
|
config, safe_email = load_config_file(user_email)
|
||||||
|
|
||||||
search_terms = config["search_terms"]
|
job_data = scrape_jobs(
|
||||||
results_wanted = config["results_wanted"]
|
search_terms=config["search_terms"],
|
||||||
max_days_old = config["max_days_old"]
|
results_wanted=config["results_wanted"],
|
||||||
target_state = config["target_state"]
|
max_days_old=config["max_days_old"],
|
||||||
|
target_state=config["target_state"]
|
||||||
|
)
|
||||||
|
|
||||||
filename = f"jobspy_output_dynamic_{safe_email}.csv"
|
output_file = f"outputs/jobspy_output_dynamic_{safe_email}.csv"
|
||||||
job_data = scrape_jobs(search_terms, results_wanted, max_days_old, target_state)
|
save_jobs_to_csv(job_data, output_file)
|
||||||
save_jobs_to_csv(job_data, filename)
|
|
||||||
|
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
print(f"❌ Fatal error: {e}")
|
print(f"❌ Fatal Error: {e}")
|
||||||
sys.exit(1)
|
sys.exit(1)
|
||||||
|
|
|
@ -1,45 +1,4 @@
|
||||||
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,in-8e0332ef3363f9b6|~|IT Support - TikTok Creator|~|CourseCareers|~|Not Provided|~|Not Provided|~|FULL_TIME|~|True|~|USD|~|4000.0|~|20000.0|~|2025-04-14|~|Unknown|~|GA|~|US|~|https://www.indeed.com/viewjob?jk=8e0332ef3363f9b6|~|**About the Role**
|
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,go-yiukjIh3eVWiiXcRAAAAAA==|~|Help Desk Technician|~|Red River Technology|~|Not Provided|~|Not Provided|~|Not Provided|~|True|~|Not Provided|~|Not Provided|~|Not Provided|~|2025-04-14|~|Chantilly|~|VA|~|Unknown|~|https://onmogul.com/jobs/help-desk-technician-b976aa9c-4295-46f1-8fd6-03da3bff596c?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|~|Red River Managed Services seeks selfless humble and team-oriented people that are always willing to support the success of their colleagues over their own. We enjoy working with people that can make wise decisions relying on data experience and collaboration. We seek individuals who are open to giving and receiving feedback through a willingness to share learnings.
|
||||||
------------------
|
|
||||||
|
|
||||||
|
|
||||||
This is a part\-time remote freelance position where anyone with previous experience working in IT Support can make additional income creating simple TikTok videos about their job.
|
|
||||||
|
|
||||||
|
|
||||||
You'll be introducing new people to a career in IT and teaching them how they can land their first position in help desk by going through our affordable online course.
|
|
||||||
|
|
||||||
|
|
||||||
You will be given a complete guide to follow for creating content on TikTok including exact video scripts to create and 1:1 feedback on ways to improve.
|
|
||||||
|
|
||||||
|
|
||||||
**What You'll Need**
|
|
||||||
--------------------
|
|
||||||
|
|
||||||
* Must have previous experience working in IT Support. Preferably currently working in the role.
|
|
||||||
* Previous experience creating TikTok content is a plus but not required.
|
|
||||||
|
|
||||||
**Compensation**
|
|
||||||
----------------
|
|
||||||
|
|
||||||
|
|
||||||
The compensation will be a mix of payment per video plus a 45% affiliate commission on all course sales. The amount of upfront payment per video is based on your experience creating TikTok content.
|
|
||||||
|
|
||||||
|
|
||||||
Based on previous creators you can expect around $4000/month in affiliate commissions after your first month from 2\-5 hours of work per week and up to $20000/month after your first 3 months.
|
|
||||||
|
|
||||||
|
|
||||||
In addition to making a significant income on the side you'll also be building your personal brand on social media and generating a following for yourself.
|
|
||||||
|
|
||||||
**Next Steps To Apply**
|
|
||||||
-----------------------
|
|
||||||
|
|
||||||
We are choosing who we hire solely based on the sample video submitted in the application.
|
|
||||||
|
|
||||||
|
|
||||||
* Reference this video: https://www.tiktok.com/@cutthetech/video/7423051428324838702
|
|
||||||
* Replicate the video above as closely as possible using a similar camera angle and length of the video. Keep the text on screen similar but change it to match your own story.
|
|
||||||
* Upload the video to TikTok and submit the link to it in the application. We will review all applicants and let you know if we'd like to move forward.
|
|
||||||
|
|
||||||
PS: There may be multiple job postings for the same position but only with different titles. Please only apply to one.|~|indeed,go-yiukjIh3eVWiiXcRAAAAAA==|~|Help Desk Technician|~|Red River Technology|~|Not Provided|~|Not Provided|~|Not Provided|~|True|~|Not Provided|~|Not Provided|~|Not Provided|~|2025-04-14|~|Chantilly|~|VA|~|Unknown|~|https://onmogul.com/jobs/help-desk-technician-b976aa9c-4295-46f1-8fd6-03da3bff596c?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|~|Red River Managed Services seeks selfless humble and team-oriented people that are always willing to support the success of their colleagues over their own. We enjoy working with people that can make wise decisions relying on data experience and collaboration. We seek individuals who are open to giving and receiving feedback through a willingness to share learnings.
|
|
||||||
|
|
||||||
At Red River we provide a welcoming and positive workplace where everyone feels valued and able to do their best work fostering a one-team mentality. We want people that embrace new ideas and are passionate about innovation and brainstorming better solutions. This in turn fosters a means to overcome self-doubt and respectfully challenge the status quo while pursuing a career of providing exceptional client service.
|
At Red River we provide a welcoming and positive workplace where everyone feels valued and able to do their best work fostering a one-team mentality. We want people that embrace new ideas and are passionate about innovation and brainstorming better solutions. This in turn fosters a means to overcome self-doubt and respectfully challenge the status quo while pursuing a career of providing exceptional client service.
|
||||||
|
|
||||||
|
@ -208,45 +167,364 @@ If you are an individual with a disability and need special assistance or reason
|
||||||
|
|
||||||
This individual will be responsible for delivering exceptional customer satisfaction by resolving technical issues and meeting end-users' needs. The selected candidate will provide remote phone email and chat troubleshooting support for application desktop network and mobile device issues.
|
This individual will be responsible for delivering exceptional customer satisfaction by resolving technical issues and meeting end-users' needs. The selected candidate will provide remote phone email and chat troubleshooting support for application desktop network and mobile device issues.
|
||||||
• Deliver exceptional customer satisfaction by resolving technical issues and meeting end-users' needs
|
• Deliver exceptional customer satisfaction by resolving technical issues and meeting end-users' needs
|
||||||
• Provide remote phone email and chat troubleshooting support for application desktop network and mobile device issues|~|google,in-8e0332ef3363f9b6|~|IT Support - TikTok Creator|~|CourseCareers|~|Not Provided|~|Not Provided|~|FULL_TIME|~|True|~|USD|~|4000.0|~|20000.0|~|2025-04-14|~|Unknown|~|GA|~|US|~|https://www.indeed.com/viewjob?jk=8e0332ef3363f9b6|~|**About the Role**
|
• Provide remote phone email and chat troubleshooting support for application desktop network and mobile device issues|~|google,go-1XizAxrbRf2Y6pY2AAAAAA==|~|Energy Project Manager|~|Booz Allen Hamilton|~|Not Provided|~|Not Provided|~|CONTRACT|~|True|~|Not Provided|~|Not Provided|~|Not Provided|~|2025-04-09|~|Arlington|~|VA|~|Unknown|~|https://www.linkedin.com/jobs/view/energy-project-manager-at-booz-allen-hamilton-4208466304?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|~|Job Number: R0218533
|
||||||
------------------
|
|
||||||
|
|
||||||
|
Energy Project Manager
|
||||||
|
|
||||||
This is a part\-time remote freelance position where anyone with previous experience working in IT Support can make additional income creating simple TikTok videos about their job.
|
Key Role:
|
||||||
|
|
||||||
|
Provide energy technical advice and plan and implement support activities designed to optimize energy resilience initiatives in support of the client's mission. Apply leading-edge principles theories and concepts and contribute to the development of new principles and concepts. Work on unusually complex problems and provide highly innovative solutions. Operate with substantial latitude for unreviewed action or decision and mentor or supervise employees in technical competencies.
|
||||||
|
|
||||||
You'll be introducing new people to a career in IT and teaching them how they can land their first position in help desk by going through our affordable online course.
|
Basic Qualifications:
|
||||||
|
• 8+ years of experience in a professional work environment
|
||||||
|
• 2+ years of experience supporting Air Force installation energy programs
|
||||||
|
• Experience managing energy projects for the Air Force
|
||||||
|
• Secret clearance
|
||||||
|
• Bachelor’s degree in Engineering
|
||||||
|
|
||||||
|
Additional Qualifications:
|
||||||
|
• Experience leading a cross functional team
|
||||||
|
• Experience in a fast-paced environment
|
||||||
|
• Knowledge of the role that energy resilience plays in DoD mission realization and policy implementation
|
||||||
|
• Ability to advocate for change using business cases and data driven decision-making
|
||||||
|
• Possession of strong project management skills
|
||||||
|
• Possession of strong people management skills
|
||||||
|
|
||||||
You will be given a complete guide to follow for creating content on TikTok including exact video scripts to create and 1:1 feedback on ways to improve.
|
Clearance:
|
||||||
|
|
||||||
|
Applicants selected will be subject to a security investigation and may need to meet eligibility requirements for access to classified information; Secret clearance is required.
|
||||||
|
|
||||||
**What You'll Need**
|
Compensation
|
||||||
--------------------
|
|
||||||
|
|
||||||
* Must have previous experience working in IT Support. Preferably currently working in the role.
|
At Booz Allen we celebrate your contributions provide you with opportunities and choices and support your total well-being. Our offerings include health life disability financial and retirement benefits as well as paid leave professional development tuition assistance work-life programs and dependent care. Our recognition awards program acknowledges employees for exceptional performance and superior demonstration of our values. Full-time and part-time employees working at least 20 hours a week on a regular basis are eligible to participate in Booz Allen’s benefit programs. Individuals that do not meet the threshold are only eligible for select offerings not inclusive of health benefits. We encourage you to learn more about our total benefits by visiting the Resource page on our Careers site and reviewing Our Employee Benefits page.
|
||||||
* Previous experience creating TikTok content is a plus but not required.
|
|
||||||
|
|
||||||
**Compensation**
|
Salary at Booz Allen is determined by various factors including but not limited to location the individual’s particular combination of education knowledge skills competencies and experience as well as contract-specific affordability and organizational requirements. The projected compensation range for this position is $99000.00 to $225000.00 (annualized USD). The estimate displayed represents the typical salary range for this position and is just one component of Booz Allen’s total compensation package for employees. This posting will close within 90 days from the Posting Date.
|
||||||
----------------
|
|
||||||
|
|
||||||
|
Identity Statement
|
||||||
|
|
||||||
The compensation will be a mix of payment per video plus a 45% affiliate commission on all course sales. The amount of upfront payment per video is based on your experience creating TikTok content.
|
As part of the application process you are expected to be on camera during interviews and assessments. We reserve the right to take your picture to verify your identity and prevent fraud.
|
||||||
|
|
||||||
|
Work Model
|
||||||
|
|
||||||
Based on previous creators you can expect around $4000/month in affiliate commissions after your first month from 2\-5 hours of work per week and up to $20000/month after your first 3 months.
|
Our people-first culture prioritizes the benefits of flexibility and collaboration whether that happens in person or remotely.
|
||||||
|
• If this position is listed as remote or hybrid you’ll periodically work from a Booz Allen or client site facility.
|
||||||
|
• If this position is listed as onsite you’ll work with colleagues and clients in person as needed for the specific role.
|
||||||
|
|
||||||
|
Commitment to Non-Discrimination
|
||||||
|
|
||||||
In addition to making a significant income on the side you'll also be building your personal brand on social media and generating a following for yourself.
|
All qualified applicants will receive consideration for employment without regard to disability status as a protected veteran or any other status protected by applicable federal state local or international law.|~|google,go-0A0VLT4vRGM7Zff9AAAAAA==|~|Project Manager II|~|Alarm.com|~|Not Provided|~|Not Provided|~|Not Provided|~|True|~|Not Provided|~|Not Provided|~|Not Provided|~|2025-04-10|~|McLean|~|VA|~|Unknown|~|https://www.indeed.com/viewjob?jk=c855dff490a059d6&utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|~|PROJECT MANAGER – FIRMWARE (CAMERAS)
|
||||||
|
|
||||||
**Next Steps To Apply**
|
POSITION OVERVIEW
|
||||||
-----------------------
|
|
||||||
|
|
||||||
We are choosing who we hire solely based on the sample video submitted in the application.
|
Are you an organized proactive self-starter who enjoys working across technical teams to make things happen? Want to make an immediate impact on innovative IoT camera products used by millions of customers? As a Project Manager on the Firmware Engineering team at Alarm.com you'll coordinate embedded software development for our security cameras aligning efforts across internal teams and global vendors. You'll help keep development on track drive process improvements and foster strong team culture — all while gaining hands-on experience in one of the most dynamic and fast-growing segments of the smart home industry.
|
||||||
|
|
||||||
|
Alarm.com offers a collaborative culture with smart and productive coworkers who are committed to delivering outstanding technology and customer experiences.
|
||||||
|
|
||||||
* Reference this video: https://www.tiktok.com/@cutthetech/video/7423051428324838702
|
RESPONSIBILITIES
|
||||||
* Replicate the video above as closely as possible using a similar camera angle and length of the video. Keep the text on screen similar but change it to match your own story.
|
|
||||||
* Upload the video to TikTok and submit the link to it in the application. We will review all applicants and let you know if we'd like to move forward.
|
|
||||||
|
|
||||||
PS: There may be multiple job postings for the same position but only with different titles. Please only apply to one.|~|indeed
|
Project management at Alarm.com is both collaborative and impactful. Duties for this role include:
|
||||||
|
• Sprint Management: Serve as Scrum Master for the firmware team — lead sprint planning standups retrospectives and backlog management.
|
||||||
|
• Vendor Coordination: Act as the key point of contact with third-party hardware and software vendors aligning timelines and managing technical deliverables.
|
||||||
|
• Issue Management: Triage bugs and development blockers track status and resolution and ensure key milestones are met.
|
||||||
|
• Cross-Team Collaboration: Coordinate closely with product managers QA hardware and cloud/backend teams to manage cross-functional dependencies.
|
||||||
|
• Remote Team Support: Sync global teams across time zones and ensure effective communication and alignment.
|
||||||
|
• Embedded Development Tracking: Help plan and manage firmware development efforts.
|
||||||
|
• Process Improvement & Team Operations:
|
||||||
|
• Maintain internal documentation and standard operating procedures.
|
||||||
|
• Support processes to drive continuous improvement.
|
||||||
|
• Help define and implement new team workflows or tools.
|
||||||
|
• Build team culture by supporting onboarding planning team events and fostering a sense of community.
|
||||||
|
• Grow: Learn about the intersection of software hardware and firmware and grow your project management skills in a highly technical environment.
|
||||||
|
• Own: If something needs to get done to keep the team moving forward — you're the person who steps in.
|
||||||
|
|
||||||
|
REQUIREMENTS
|
||||||
|
• Minimum B.S. or B.A. in engineering computer science physics math or other technical field
|
||||||
|
• 1–2 years of experience in project coordination technical project/program management or engineering support
|
||||||
|
• Familiarity with Agile/Scrum processes and sprint planning
|
||||||
|
• Strong written and verbal communication skills
|
||||||
|
• Comfort working with engineers and understanding technical challenges at a high level
|
||||||
|
• Ability to manage multiple priorities across stakeholders and time zones
|
||||||
|
• History of taking initiative problem-solving and driving follow-through
|
||||||
|
• Bonus: Familiarity with embedded systems firmware development or consumer electronics
|
||||||
|
• Other duties as assigned
|
||||||
|
|
||||||
|
WHY WORK FOR ALARM.COM?
|
||||||
|
• Collaborate with outstanding people: We hire only the best. Our standards are high and our employees enjoy working alongside other high achievers.
|
||||||
|
• Make an immediate impact: New employees can expect to be given real responsibility for bringing new technologies to the marketplace. You are empowered to perform as soon as you join the Alarm.com team!
|
||||||
|
• Gain well rounded experience: Alarm.com offers a diverse and dynamic environment where you will get the chance to work directly with executives and develop expertise across multiple areas of the business.
|
||||||
|
• Focus on fun: Alarm.com places high value on our team culture. We even have a committee dedicated to hosting a stand-out holiday party happy hours and other fun corporate events.
|
||||||
|
• Alarm.com values working together and collaborating in person. Our employees work from the office 4 days a week.
|
||||||
|
|
||||||
|
COMPANY INFO
|
||||||
|
|
||||||
|
Alarm.com is the leading cloud-based platform for smart security and the Internet of Things. More than 7.6 million home and business owners depend on our solutions every day to make their properties safer smarter and more efficient. And every day we're innovating new technologies in rapidly evolving spaces including AI video analytics facial recognition machine learning energy analytics and more. We're seeking those who are passionate about creating change through technology and who want to make a lasting impact on the world around them.
|
||||||
|
|
||||||
|
For more information please visit www.alarm.com.
|
||||||
|
|
||||||
|
COMPANY BENEFITS
|
||||||
|
|
||||||
|
Alarm.com offers competitive pay and benefits inclusive of subsidized medical plan options an HSA with generous company contribution a 401(k) with employer match and paid holidays wellness time and vacation increasing with tenure. Paid maternity and bonding leave company-paid disability and life insurance FSAs well-being resources and activities and a casual dress work environment are also part of our outstanding total rewards package!
|
||||||
|
|
||||||
|
Alarm.com is an Equal Opportunity Employer
|
||||||
|
|
||||||
|
In connection with your application we collect information that identifies reasonably relates to or describes you ("Personal Information"). The categories of Personal Information that we may collect include your name government-issued identification number(s) email address mailing address other contact information emergency contact information employment history educational history criminal record and demographic information. We collect and use those categories of Personal Information about you for human resources and other business management purposes including identifying and evaluating you as a candidate for potential or future employment or future positions recordkeeping in relation to recruiting and hiring conducting criminal background checks as permitted by law conducting analytics and ensuring compliance with applicable legal requirements and Company policies. By submitting your application you acknowledge that we may retain some of the personal data that you provide in your application for our internal operations such as managing our recruitment system and ensuring that we comply with labor laws and regulations even after we have made our employment decision.
|
||||||
|
|
||||||
|
Notice To Third Party Agencies:
|
||||||
|
Alarm.com understands the value of professional recruiting services. However we are not accepting resumes from recruiters or employment agencies for this position. In the event we receive a resume or candidate referral for this position from a third-party recruiter or agency without a previously signed agreement we reserve the right to pursue and hire those candidate(s) without any financial obligation to you. If you are interested in working with Alarm.com please email your company information and standard agreement to RecruitingPartnerships@Alarm.com.|~|google,go-EJNdGj6x2n6f1hh1AAAAAA==|~|Senior Project Managers-Heavy Industrial|~|STV|~|Not Provided|~|Not Provided|~|CONTRACT|~|True|~|Not Provided|~|Not Provided|~|Not Provided|~|2025-04-11|~|Fairfax|~|VA|~|Unknown|~|https://www.linkedin.com/jobs/view/senior-project-managers-heavy-industrial-at-stv-4206283466?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|~|STV is seeking a Senior Project Manager for our PM/CM group in West Virginia.
|
||||||
|
|
||||||
|
We are seeking a highly experienced Senior Project Manager (Sr. PM) to oversee a heavy industrial construction project in the Charleston WV regional area. The Sr. PM will be on-site daily working closely with the client’s facilities maintenance staff upper management and a selected general contractor. This role requires superior communication coordination between primary stakeholders program leadership and financial oversight to ensure the project aligns with the owner’s vision schedule and budget.
|
||||||
|
|
||||||
|
Key Responsibilities
|
||||||
|
• Daily on-site presence to manage all aspects of the construction process and ensure seamless coordination between the owner and general contractor.
|
||||||
|
• Serve as the primary liaison with the client including maintenance staff senior leadership and external stakeholders.
|
||||||
|
• Ensure the general contractor’s execution aligns with the owner’s vision tracking project progress financials and compliance.
|
||||||
|
• Oversee design/build execution in an existing operating industrial environment ensuring adherence to safety and regulatory standards while executing production factory expansion.
|
||||||
|
• Provide financial and schedule oversight ensuring timely reporting and accurate budget tracking.
|
||||||
|
• Communicate and enforce heavy industrial project requirements on an existing campus ensuring quality assurance quality controls and construction efficiency standards.
|
||||||
|
• Navigate challenges associated with construction in remote areas including logistics labor availability and supply chain issues.
|
||||||
|
• Utilize BIM Procore and Microsoft programs to track progress manage documents and streamline workflows.
|
||||||
|
|
||||||
|
Qualifications & Experience
|
||||||
|
• 15 to 20 years of experience in heavy industrial construction project management.
|
||||||
|
• Proven track record of delivering large-scale industrial projects on time and within budget.
|
||||||
|
• Strong knowledge of design/build project execution particularly in industrial settings.
|
||||||
|
• Experience managing projects in remote or rural locations with a deep understanding of related challenges.
|
||||||
|
• Exceptional communication and leadership skills with the ability to align multiple stakeholders.
|
||||||
|
• Accreditation or certification in PMP CMAA DBIA preferred.
|
||||||
|
• Proficiency in BIM Procore and Microsoft Office Suite.
|
||||||
|
|
||||||
|
Preferred Skills
|
||||||
|
• Familiarity with West Virginia construction laws and industrial regulations.
|
||||||
|
• Strong financial acumen and cost control expertise for industrial-scale projects.
|
||||||
|
• Ability to adapt to fast-paced high-pressure environments in industrial construction.
|
||||||
|
• Superior inter-personal communication skills with an ability to work well with others to suggest solutions to complicated problems as they arise.
|
||||||
|
• This will not be an 8:00 to 5:00 five days per week program. Candidate is expected to be available as needed for successful outcomes.
|
||||||
|
|
||||||
|
Don’t meet every single requirement? Studies have shown that women and people of color are less likely to apply to jobs unless they meet every single qualification. At STV we are fully committed to expanding our culture of diversity and inclusion one that will reflect the clients we serve and the communities we work in so if you’re excited about this role but your past experience doesn’t align perfectly with every qualification in the job description we encourage you to apply anyways. You may be just the right candidate for this or other roles.
|
||||||
|
|
||||||
|
STV offers the following benefits
|
||||||
|
• Health insurance including an option with a Health Savings Account
|
||||||
|
• Dental insurance
|
||||||
|
• Vision insurance
|
||||||
|
• Flexible Spending Accounts (Healthcare Dependent Care and Transit and Parking where applicable)
|
||||||
|
• Disability insurance
|
||||||
|
• Life Insurance and Accidental Death & Dismemberment
|
||||||
|
• 401(k) Plan
|
||||||
|
• Retirement Counseling
|
||||||
|
• Employee Assistance Program
|
||||||
|
• Paid Time Off (16 days)
|
||||||
|
• Paid Holidays (8 days)
|
||||||
|
• Back-Up Dependent Care (up to 10 days per year)
|
||||||
|
• Parental Leave (up to 80 hours)
|
||||||
|
• Continuing Education Program
|
||||||
|
• Professional Licensure and Society Memberships
|
||||||
|
|
||||||
|
STV is committed to paying all of its employees in a fair equitable and transparent manner. The listed pay range is STV’s good-faith salary estimate for this position. Please note that the final salary offered for this position may be outside of this published range based on many factors including but not limited to geography education experience and/or certifications.|~|google,go-RcsBf3B004BWDfmzAAAAAA==|~|Senior Construction Project Manager|~|NTT DATA|~|Not Provided|~|Not Provided|~|CONTRACT|~|True|~|Not Provided|~|Not Provided|~|Not Provided|~|2025-04-11|~|Ashburn|~|VA|~|Unknown|~|https://careers.services.global.ntt/global/en/job/R-121265/Senior-Construction-Project-Manager?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|~|Continue to make an impact with a company that is pushing the boundaries of what is possible. At NTT DATA we are renowned for our technical excellence leading innovations and making a difference for our clients and society. Our workplace embraces diversity and inclusion – it’s a place where you can continue to grow belong and thrive.
|
||||||
|
|
||||||
|
Your career here is about believing in yourself and seizing new opportunities and challenges. It’s about expanding your skills and expertise in your current role and preparing yourself for future advancements. That’s why we encourage you to take every opportunity to further your career within our great global team.
|
||||||
|
|
||||||
|
Grow Your Career with NTT DATA
|
||||||
|
|
||||||
|
The Senior Construction Project Manager is responsible for overall project success including project oversight direction and strategy over multiple $100+ Million data center construction projects particularly relating to safety schedule scope budget and quality.
|
||||||
|
|
||||||
|
What you'll be doing
|
||||||
|
|
||||||
|
ESSENTIAL DUTIES & RESPONSIBILITIES
|
||||||
|
• Lead a team of professionals to safely deliver major capital construction projects of $100m+ to support the acquisition of new clients.
|
||||||
|
• Develop and maintain relationships with key customers operations finance and internal department leaders to assure project team fulfills the mission and objectives of the capital projects.
|
||||||
|
• Direct and support project teams in the preparation and execution of tasks throughout all phases of the project process; includes identifying scopes of work resource requirements cost estimates and budgets work plan schedule and milestones quality control and risk mitigation.
|
||||||
|
• Oversee General Contractor direct contractors (ex. Commissioning Agents) third party testing agencies the project controls and MEP teams for each project to ensure tasks are completed on time and within budget.
|
||||||
|
• Primary liaison to the NTT GDC Americas Inc. Design Managers to aid in the harmonization and coordination of Architecture/Engineering activities in a timely manner.
|
||||||
|
• Integrate Subject Matter Experts internal and customer stakeholders to support design and lead construction teams to create a master development program for site(s)
|
||||||
|
• Support Design team leadership for environmental entitlement and permitting requirements.
|
||||||
|
• Provide guidance to the project delivery resources/team in achieving project goals. Implement communication plan for meetings and written reports/meeting minutes to keep client and project resources informed.
|
||||||
|
• Develop and implement strategic sourcing plans for GC/subs and specialty vendor selection award and contracts.
|
||||||
|
• Facilitate project meetings. Implement and align project documentation governance with company requirements. Ensure project data integrity and documentation is accurate timely and coordinated.
|
||||||
|
• Reports status and variances. Creates action plans to meet objectives budget and schedule. Implements change management routines to assess change requests make recommendations secure internal approvals and manage change throughout the course of the project.
|
||||||
|
• Assesses and quantify change requests to determine impacts to scope budget schedule quality and risk.
|
||||||
|
• Optimize project cost effectiveness and budget utilization including constructability reviews and Value Engineering (VE) into design process.
|
||||||
|
• Implement and lead typical Project level management tasks including contract status finance/funding/payment status budget updates schedule baseline and monthly updates (EVM) submittals contract documentation project records and final contract hand off.
|
||||||
|
• Develop and implement project level financial controls pay application processing project change review and pricing release of retention claims and resolutions.
|
||||||
|
• Validate drawings and specifications accurately reflect the desired construction quality and ensure any item requiring remediation is documented and remediated to owner satisfaction.
|
||||||
|
• Ensure all field installations are in accordance with the design.
|
||||||
|
• Develop implement monitor and assure systems are in place to deliver highest quality standards for project safety- from start to finish.
|
||||||
|
• Provide leadership to confirm all Contractors and Suppliers are following safety best practices and producing the industry leading performance expected.
|
||||||
|
• Monitor and control risk management insurance and liability controls for assigned projects.
|
||||||
|
• Lead typical construction management monthly project meetings (OAC Design MEP ACx etc.)
|
||||||
|
• Present executive summary and status reports to internal Senior leadership
|
||||||
|
• Provide on-site support for sales and marketing team to present NTT Values to prospective new clients.
|
||||||
|
|
||||||
|
KNOWLEDGE SKILLS & ABILITIES
|
||||||
|
• Understanding of Project Management Planning Construction Management and Data Centers.
|
||||||
|
• Demonstrated leadership ability in dealing with Owners Architects Contractors and internal stakeholders.
|
||||||
|
• Extensive knowledge of prime contracts including lump sum GMP hard bid negotiated design-build etc. Specifically including EVM methods and payment systems.
|
||||||
|
• Extensive knowledge of P6 Critical path scheduling systems overall project cost control budgeting and value engineering as applied to buildings and systems used in Data Center project delivery.
|
||||||
|
• Familiarity of all aspects of Development design and Construction- to include site work core and shell mechanical and electrical utilities finishes etc.
|
||||||
|
• Ability to work in an international team environment and interact with all levels of management including C-Suite reviews.
|
||||||
|
• Strong executive presence – able to convey complex and technical concepts to a non-construction audience.
|
||||||
|
• Must be very organized analytical and structured with excellent communication and problem-solving skills.
|
||||||
|
• Manages stress and/or fast pace effectively.
|
||||||
|
|
||||||
|
#GlobalDataCentersCareers
|
||||||
|
|
||||||
|
MINIMUM QUALIFICATIONS
|
||||||
|
• Bachelor’s degree in Engineering business construction management or relevant field required.
|
||||||
|
• 15+ years’ experience in General and/or Specialty Construction Project Management with 10+ years’ experience in data center or similar mission critical facilities construction.
|
||||||
|
• Experience in managing $100M+ projects.
|
||||||
|
• Experience in urban environments with difficult logistics and fast-track schedules.
|
||||||
|
• Experience in construction management capital budget management and knowledge of electrical and mechanical systems.
|
||||||
|
• Knowledge of industry standards building codes and safety standards including fire protection regulations.
|
||||||
|
• Ability to demonstrate strong capability and expertise in Primavera MS Project MS Excel PowerPoint and SharePoint.
|
||||||
|
|
||||||
|
PREFERRED QUALIFICATIONS
|
||||||
|
• LEAN Construction knowledge and application of those tools.
|
||||||
|
• Building Environment Accreditations (i.e. LEED SITES TRUE WELL).
|
||||||
|
• Mechanical and Electrical systems quality and commissioning leadership in construction of Mission Critical Facilities.
|
||||||
|
• Mission critical infrastructure and/or data center construction experience.
|
||||||
|
• Multi-project experience in large scale construction management mission critical or infrastructure preferred.
|
||||||
|
|
||||||
|
PHYSICAL REQUIREMENTS
|
||||||
|
• Primarily walking standing and bending on project site.
|
||||||
|
• Able to hear and speak into a telephone.
|
||||||
|
• Close visual work on a computer terminal.
|
||||||
|
• Dexterity of hands and fingers to operate any required computer keyboard mouse and other technical instruments.
|
||||||
|
• Able to lift and carry up to 50 lbs.
|
||||||
|
|
||||||
|
WORK CONDITIONS
|
||||||
|
• 80%: Construction jobsite at various levels of development
|
||||||
|
• 20%: Standard office; Data Center environment with varying temperatures and loud noises; extensive daily usage of workstation or computer.
|
||||||
|
|
||||||
|
SPECIAL REQUIREMENTS
|
||||||
|
• Working at assigned project sites physically present with the on-site construction teams on a routine basis. Work locations currently include; Hillsboro Oregon; Chicago Illinois; Ashburn Virginia; Phoenix Arizona. Remote consideration may be given to exceptionally qualified candidates on interim basis. Periodic travel to secondary sites main offices or team meeting sites will be required.
|
||||||
|
• Must possess a current valid state-issued driver’s license.
|
||||||
|
|
||||||
|
This position requires work to be done onsite at a data center facility and may require use of a personal mobile device. A monthly stipend will be provided to cover expenses incurred for using a personal device if applicable.
|
||||||
|
|
||||||
|
NTT Global Data Centers Americas Inc. offers competitive compensation based on experience education and location. Base salary for this position is $ 164500 - $ 210000.
|
||||||
|
|
||||||
|
All regular full-time employees are eligible for an annual bonus; payout is dependent upon individual and company performance.
|
||||||
|
|
||||||
|
Employees receive paid time-off medical dental and vision benefits life and supplemental insurance short-term and long-term disability flexible spending account and 401k retirement plan to create a rich Total Rewards package.
|
||||||
|
|
||||||
|
Workplace type:
|
||||||
|
On-site Working
|
||||||
|
|
||||||
|
Equal Opportunity Employer
|
||||||
|
NTT DATA is proud to be an Equal Opportunity Employer with a global culture that embraces diversity. We are committed to providing an environment free of unfair discrimination and harassment. We do not discriminate based on age race colour gender sexual orientation religion nationality disability pregnancy marital status veteran status or any other protected category. Accelerate your career with us. Apply today|~|google,go-x2Hf8Y8N21teIwRvAAAAAA==|~|Project Manager Jobs|~|Booz Allen Hamilton|~|Not Provided|~|Not Provided|~|CONTRACT|~|True|~|Not Provided|~|Not Provided|~|Not Provided|~|2025-04-09|~|Arlington|~|VA|~|Unknown|~|https://www.clearancejobs.com/jobs/8160076/project-manager?utm_campaign=google_jobs_apply&utm_source=google_jobs_apply&utm_medium=organic|~|Job Number: R0212922
|
||||||
|
|
||||||
|
Project Manager
|
||||||
|
|
||||||
|
The Opportunity:
|
||||||
|
|
||||||
|
Are you searching for a position where you can grow your organization and analytical skills to support a project from concept to completion? A program requires a significant investment of limited resources. With that level of complexity you need to keep the project on a productive path. That's why we need you a program analyst who can help ensure success through careful analysis and effective communication.
|
||||||
|
|
||||||
|
The right mixture of great ideas and program management can create change. In a complex organization allocating funding to where it can be most effective can be challenging. That's why we need you a finan cia l analyst who can learn to navigate the requirements policies and regulations that govern funding to make sure critical efforts aligned to Research Development Test and Evaluation ( RDT & E ) and other Research and Development ( R & D ) - related analytical services are appropriately resourced to achieve our client's mission requirements and make the greatest impact supporting National Security.
|
||||||
|
|
||||||
|
As a program manager on our team you'll study the creation of a program management strategy to help enhance the ability of Industrial Base Policy ( IBP ) to strengthen and maintain a client's program that is able to meet warfighter's needs. You'll assist the team in developing policy for the client by bringing in-depth understanding and expertise to one or more aspects of service or joint missions processes and culture. You will analyze laws and executive orders and DoD directives instructions and decisions to determine the impact on U.S. military programs and efforts.
|
||||||
|
|
||||||
|
On our team you'll implement and maintain organizational programs in support of the client's program. You'll work with program leadership to review contracts project cost accounting and tactical planning using tools like Micro sof t Excel PowerPoint and other specific finan cia l management tools. The real power of project management comes from communication to ensure the program achieves its goals and meets our quality standards. At Booz Allen we recognize that we must continuously grow as a team to bring the best support to our clients so here you'll have all the resources to succeed. This is a chance to directly impact a meaningful mission while learning how to develop and maintain program strategy.
|
||||||
|
|
||||||
|
Act as a product line coordi nato r aligning Agile scrums and sprints to meet product owner goals creating and tracking project schedules and ensuring clear communication and timely issue resolution. Contribute to moderately complex aspects of a project and assist junior staff members as needed. Develop expertise to deliver high-quality work products to support projects and guide the activities of others on a set of defined tasks as needed. Provide solutions and new ideas identify opportunities to grow existing business support firm-wide initiatives and interact regularly with and present work products to clients. Conceptualize create and maintain Integrated Master Schedules ( IMS ) that comply with a program's Statement of Objectives ( SOO ) Te chn ical Performance Requirements ( TPRs ) Contract Work Breakdown Structure ( CWBS ) and the Contract Statement of Work ( CSOW ) .
|
||||||
|
|
||||||
|
Work with us and help make sure our client accomplishes its program goals within budget .
|
||||||
|
|
||||||
|
Join us. The world can't wait.
|
||||||
|
|
||||||
|
You Have:
|
||||||
|
• 12+ years of experience in the design implementation and maintenance of organizational programs in support of corporate strategy
|
||||||
|
• Experience with applying advanced theories principles and concepts and contributing to the development of new principles and concepts and with unreviewed action or decisions and maintaining responsibility for supervision and development of first level supervisors and managers
|
||||||
|
• Experience managing near mid and long-term research and analysis projects including identification evaluation and resolution of defense industrial base supply chain issues or policy gaps
|
||||||
|
• Experience in engineering manufacturing and prototyping hardware or sof tware in one or more DIB sectors and with Agile processes
|
||||||
|
• Ability to work with both te chn ical and non-te chn ical audiences including client delivery
|
||||||
|
• Secret clearance
|
||||||
|
• Bachelor's degree
|
||||||
|
|
||||||
|
Nice If You Have:
|
||||||
|
• Knowledge of the DoD acquisition system
|
||||||
|
• Master's degree preferred
|
||||||
|
• TS / SCI clearance
|
||||||
|
• Project Management Professional ( PMP ) Certification
|
||||||
|
|
||||||
|
Clearance:
|
||||||
|
|
||||||
|
Applicants selected will be subject to a security investigation and may need to meet eligibility requirements for access to classified information ; Secret clearance is required.
|
||||||
|
|
||||||
|
Compensation
|
||||||
|
|
||||||
|
At Booz Allen we celebrate your contributions provide you with opportunities and choices and support your total well-being. Our offerings include health life disability financial and retirement benefits as well as paid leave professional development tuition assistance work-life programs and dependent care. Our recognition awards program acknowledges employees for exceptional performance and superior demonstration of our values. Full-time and part-time employees working at least 20 hours a week on a regular basis are eligible to participate in Booz Allen's benefit programs. Individuals that do not meet the threshold are only eligible for select offerings not inclusive of health benefits. We encourage you to learn more about our total benefits by visiting the Resource page on our Careers site and reviewing Our Employee Benefits page.
|
||||||
|
|
||||||
|
Salary at Booz Allen is determined by various factors including but not limited to location the individual's particular combination of education knowledge skills competencies and experience as well as contract-specific affordability and organizational requirements. The projected compensation range for this position is $77600.00 to $176000.00 (annualized USD). The estimate displayed represents the typical salary range for this position and is just one component of Booz Allen's total compensation package for employees. This posting will close within 90 days from the Posting Date.
|
||||||
|
|
||||||
|
Identity Statement
|
||||||
|
|
||||||
|
As part of the application process you are expected to be on camera during interviews and assessments. We reserve the right to take your picture to verify your identity and prevent fraud.
|
||||||
|
|
||||||
|
Work Model
|
||||||
|
|
||||||
|
Our people-first culture prioritizes the benefits of flexibility and collaboration whether that happens in person or remotely.
|
||||||
|
• If this position is listed as remote or hybrid you'll periodically work from a Booz Allen or client site facility.
|
||||||
|
• If this position is listed as onsite you'll work with colleagues and clients in person as needed for the specific role.
|
||||||
|
|
||||||
|
Commitment to Non-Discrimination
|
||||||
|
|
||||||
|
All qualified applicants will receive consideration for employment without regard to disability status as a protected veteran or any other status protected by applicable federal state local or international law.|~|google,in-a24e495cad1bd3fd|~|Senior Project Manager|~|Expleo Group|~|Not Provided|~|Not Provided|~|CONTRACT|~|True|~|USD|~|137000.0|~|147000.0|~|2025-04-14|~|Denver|~|CO|~|US|~|https://www.indeed.com/viewjob?jk=a24e495cad1bd3fd|~|Overview:
|
||||||
|
**Location: Hybrid – Denver CO or Minneapolis MN (2–3 days onsite weekly)**
|
||||||
|
|
||||||
|
**Employment Type: Full\-Time Consultant**
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
Are you a detail\-driven project manager with a passion for leading high\-stakes initiatives from concept to completion? Trissential is looking for a Senior Project Manager to join our client’s team and take ownership of complex enterprise\-level projects in a highly structured waterfall environment. If you're someone who thrives on building order out of complexity managing cross\-functional teams and driving business\-critical outcomes this could be your next big move.
|
||||||
|
|
||||||
|
**What’s in It for You?**
|
||||||
|
|
||||||
|
* **Impactful Work** – Lead large\-scale high\-visibility projects that make a real difference across enterprise systems
|
||||||
|
* **Stability \& Structure** – Join a company that values strong processes and supports clear project governance in a waterfall methodology
|
||||||
|
* **Hybrid Flexibility** – Work onsite 2–3 days per week in either Denver CO or Minneapolis MN with flexibility built into your schedule
|
||||||
|
* **Career Growth** – Advance your leadership capabilities while working across interdepartmental teams and managing vendor relationships
|
||||||
|
* **Collaborative Environment** – Be part of a smart driven and supportive team that thrives on clarity communication and shared success
|
||||||
|
|
||||||
|
**Your Role \& Responsibilities**
|
||||||
|
|
||||||
|
* Manage end\-to\-end delivery of complex and high\-risk projects ensuring they are completed on time and within budget
|
||||||
|
* Oversee scope schedule and resource planning proactively mitigating risks and managing dependencies
|
||||||
|
* Lead project meetings and workshops ensuring alignment across teams stakeholders and vendors
|
||||||
|
* Develop detailed project plans and work breakdown structures using Microsoft Project and other tools
|
||||||
|
* Prepare executive\-level summaries and visualizations that communicate progress risks and financials
|
||||||
|
* Manage project financials including forecasts actuals and variance analysis
|
||||||
|
* Ensure seamless integration of commercial off\-the\-shelf (COTS) solutions with legacy systems
|
||||||
|
* Support RFP processes and vendor management efforts across project lifecycles
|
||||||
|
|
||||||
|
**Skills \& Experience You Should Possess**
|
||||||
|
|
||||||
|
* 5–7 years of direct project management experience plus 5–10 years in related roles such as PMO Business Analysis or Test Leadership
|
||||||
|
* Proven success managing COTS software deployments and legacy system integrations
|
||||||
|
* Strong background in financial management including forecasting and variance analysis
|
||||||
|
* Proficiency with project management tools including Microsoft Project Jira Confluence and Office 365
|
||||||
|
* Deep understanding of and experience in waterfall project methodologies
|
||||||
|
* Excellent verbal and written communication with the ability to lead meetings and synthesize complex information into clear executive summaries
|
||||||
|
* Proven leadership creative problem\-solving and a positive engaging attitude
|
||||||
|
|
||||||
|
**Bonus Points If You Have:**
|
||||||
|
|
||||||
|
* Experience with accrual\-based accounting
|
||||||
|
* Background in the utility industry or large enterprise environments
|
||||||
|
* Vendor management and RFP process experience
|
||||||
|
* Exposure to Agile concepts (helpful when coordinating with external vendors)
|
||||||
|
|
||||||
|
**Education \& Certifications You Need**
|
||||||
|
|
||||||
|
* Bachelor’s degree in a related field or equivalent experience
|
||||||
|
* PMP certification or equivalent preferred but not required
|
||||||
|
|
||||||
|
**What We Offer**
|
||||||
|
|
||||||
|
At Trissential we believe the best work happens when talented people are empowered and supported. By joining our client’s team you’ll step into a high\-impact role with room to grow.
|
||||||
|
|
||||||
|
* **Competitive Salary** – $137000 – $147000 annually based on experience
|
||||||
|
* **Comprehensive Benefits** – Medical dental vision and 401(k) options
|
||||||
|
* **3 Weeks PTO** – Recharge with paid time off and observed holidays
|
||||||
|
* **Hybrid Work** – Flexibility to work from home part of the week while collaborating onsite
|
||||||
|
* **Long\-Term Growth** – Be part of an environment where your skills and contributions are recognized and rewarded
|
||||||
|
|
||||||
|
**Ready to lead major initiatives in a dynamic structured environment? Apply today and be the strategic force behind impactful project execution with Trissential!** \#LI\-RM1 \#LI\-VN1 \#LI\-MN1|~|indeed
|
Can't render this file because it contains an unexpected character in line 270 and column 116.
|
Loading…
Reference in New Issue