From 80a02faa7545d9b572a6cfd2c6794fcbf2fe98aa Mon Sep 17 00:00:00 2001 From: Cullen Watson Date: Sun, 27 Aug 2023 16:25:48 -0500 Subject: [PATCH] Add Csv output (#20) --- README.md | 73 ++++++++++++--------- api/core/formatters/__init__.py | 6 ++ api/core/formatters/csv/__init__.py | 74 ++++++++++++++++++++++ api/core/scrapers/__init__.py | 10 ++- api/core/scrapers/ziprecruiter/__init__.py | 4 +- api/v1/jobs/__init__.py | 39 ++++++++---- main.py | 1 + postman/JobSpy.postman_collection.json | 73 +++++++++++++++++++-- 8 files changed, 230 insertions(+), 50 deletions(-) create mode 100644 api/core/formatters/__init__.py create mode 100644 api/core/formatters/csv/__init__.py diff --git a/README.md b/README.md index 33f33d9..6e8b8d7 100644 --- a/README.md +++ b/README.md @@ -13,17 +13,19 @@ POST `/api/v1/jobs/` ### Request Schema ```plaintext -Request -├── Required -│ ├── site_type (List[enum]): linkedin, zip_recruiter, indeed -│ └── search_term (str) -└── Optional +{ + Required + ├── site_type (List[enum]): linkedin, zip_recruiter, indeed + └── search_term (str) + Optional ├── location (int) ├── distance (int) ├── job_type (enum): fulltime, parttime, internship, contract ├── is_remote (bool) ├── results_wanted (int): per site_type - └── easy_apply (bool): only for linkedin + ├── easy_apply (bool): only for linkedin + └── output_format (enum): json, csv +} ``` ### Request Example @@ -40,32 +42,37 @@ Request ### Response Schema ```plaintext -site_type (enum) -└── response (SiteResponse) - ├── success (bool) - ├── error (str) - ├── jobs (List[JobPost]) - │ └── JobPost - │ ├── title (str) - │ ├── company_name (str) - │ ├── job_url (str) - │ ├── location (object) - │ │ ├── country (str) - │ │ ├── city (str) - │ │ ├── state (str) - │ ├── description (str) - │ ├── job_type (enum) - │ ├── compensation (object) - │ │ ├── interval (CompensationInterval): yearly, monthly, weekly, daily, hourly - │ │ ├── min_amount (float) - │ │ ├── max_amount (float) - │ │ └── currency (str): default is "US" - │ └── date_posted (datetime) - ├── total_results (int) - └── returned_results (int) +{ + site_type (enum): { + JobResponse + ├── success (bool) + ├── error (str) + ├── jobs (List[JobPost]) + │ └── JobPost + │ ├── title (str) + │ ├── company_name (str) + │ ├── job_url (str) + │ ├── location (object) + │ │ ├── country (str) + │ │ ├── city (str) + │ │ ├── state (str) + │ ├── description (str) + │ ├── job_type (enum) + │ ├── compensation (object) + │ │ ├── interval (CompensationInterval): yearly, monthly, weekly, daily, hourly + │ │ ├── min_amount (float) + │ │ ├── max_amount (float) + │ │ └── currency (str): default is "US" + │ └── date_posted (datetime) + │ + ├── total_results (int) + └── returned_results (int) + }, ... +} + ``` -### Response Example +### Response Example (JSON) ```json { "indeed": { @@ -119,6 +126,12 @@ site_type (enum) } } ``` +### Response Example (CSV) +``` +Site, Title, Company Name, Job URL, Country, City, State, Job Type, Compensation Interval, Min Amount, Max Amount, Currency, Date Posted, Description +indeed, Software Engineer, INTEL, https://www.indeed.com/jobs/viewjob?jk=a2cfbb98d2002228, USA, Austin, TX, fulltime, yearly, 209760.0, 139480.0, USD, 2023-08-18T00:00:00, Job Description Designs... +linkedin, Software Engineer 1, Public Partnerships | PPL, https://www.linkedin.com/jobs/view/3690013792, USA, Austin, TX, , , , , , 2023-07-31T00:00:00, Public Partnerships LLC supports... +``` ## Installation _Python >= 3.10 required_ diff --git a/api/core/formatters/__init__.py b/api/core/formatters/__init__.py new file mode 100644 index 0000000..36fc5a7 --- /dev/null +++ b/api/core/formatters/__init__.py @@ -0,0 +1,6 @@ +from enum import Enum + + +class OutputFormat(Enum): + CSV = "csv" + JSON = "json" diff --git a/api/core/formatters/csv/__init__.py b/api/core/formatters/csv/__init__.py new file mode 100644 index 0000000..2f9cca2 --- /dev/null +++ b/api/core/formatters/csv/__init__.py @@ -0,0 +1,74 @@ +import csv +from io import StringIO +from datetime import datetime + +from ...jobs import * +from ...scrapers import * + + +def generate_filename() -> str: + timestamp = datetime.now().strftime("%Y%m%d_%H%M%S") + return f"JobSpy_results_{timestamp}.csv" + + +class CSVFormatter: + @staticmethod + def format(jobs: ScraperResponse) -> StringIO: + """ + Transfomr the jobs objects into csv + :param jobs: + :return: csv + """ + output = StringIO() + writer = csv.writer(output) + + headers = [ + "Site", + "Title", + "Company Name", + "Job URL", + "Country", + "City", + "State", + "Job Type", + "Compensation Interval", + "Min Amount", + "Max Amount", + "Currency", + "Date Posted", + "Description", + ] + writer.writerow(headers) + + for site, job_response in jobs.dict().items(): + if job_response and job_response.get("success"): + for job in job_response["jobs"]: + writer.writerow( + [ + site, + job["title"], + job["company_name"], + job["job_url"], + job["location"]["country"], + job["location"]["city"], + job["location"]["state"], + job["job_type"].value if job.get("job_type") else "", + job["compensation"]["interval"].value + if job["compensation"] + else "", + job["compensation"]["min_amount"] + if job["compensation"] + else "", + job["compensation"]["max_amount"] + if job["compensation"] + else "", + job["compensation"]["currency"] + if job["compensation"] + else "", + job.get("date_posted", ""), + job["description"], + ] + ) + + output.seek(0) + return output diff --git a/api/core/scrapers/__init__.py b/api/core/scrapers/__init__.py index 057036b..eb52ded 100644 --- a/api/core/scrapers/__init__.py +++ b/api/core/scrapers/__init__.py @@ -1,5 +1,6 @@ from ..jobs import * -from typing import List +from ..formatters import OutputFormat +from typing import List, Dict, Optional class StatusException(Exception): @@ -16,6 +17,7 @@ class Site(Enum): class ScraperInput(BaseModel): site_type: List[Site] search_term: str + output_format: OutputFormat = OutputFormat.JSON location: str = None distance: int = None @@ -26,6 +28,12 @@ class ScraperInput(BaseModel): results_wanted: int = 15 +class ScraperResponse(BaseModel): + linkedin: Optional[JobResponse] + indeed: Optional[JobResponse] + zip_recruiter: Optional[JobResponse] + + class Scraper: def __init__(self, site: Site, url: str): self.site = site diff --git a/api/core/scrapers/ziprecruiter/__init__.py b/api/core/scrapers/ziprecruiter/__init__.py index 492a815..905fcc8 100644 --- a/api/core/scrapers/ziprecruiter/__init__.py +++ b/api/core/scrapers/ziprecruiter/__init__.py @@ -96,7 +96,9 @@ class ZipRecruiterScraper(Scraper): title = job.find("h2", {"class": "title"}).text company = job.find("a", {"class": "company_name"}).text.strip() - description, updated_job_url = ZipRecruiterScraper.get_description(job_url, session) + description, updated_job_url = ZipRecruiterScraper.get_description( + job_url, session + ) if updated_job_url is not None: job_url = updated_job_url if description is None: diff --git a/api/v1/jobs/__init__.py b/api/v1/jobs/__init__.py index 19f3255..31447fd 100644 --- a/api/v1/jobs/__init__.py +++ b/api/v1/jobs/__init__.py @@ -1,11 +1,20 @@ -from concurrent.futures import ThreadPoolExecutor +import io from fastapi import APIRouter +from fastapi.responses import StreamingResponse +from concurrent.futures import ThreadPoolExecutor from api.core.scrapers.indeed import IndeedScraper from api.core.scrapers.ziprecruiter import ZipRecruiterScraper from api.core.scrapers.linkedin import LinkedInScraper -from api.core.scrapers import ScraperInput, Site, JobResponse -from typing import List, Dict, Tuple +from api.core.formatters.csv import CSVFormatter, generate_filename +from api.core.scrapers import ( + ScraperInput, + Site, + JobResponse, + OutputFormat, + ScraperResponse, +) +from typing import List, Dict, Tuple, Union router = APIRouter(prefix="/jobs", tags=["jobs"]) @@ -17,23 +26,31 @@ SCRAPER_MAPPING = { @router.post("/") -async def scrape_jobs(scraper_input: ScraperInput) -> Dict[str, JobResponse]: +async def scrape_jobs(scraper_input: ScraperInput) -> ScraperResponse: """ Asynchronously scrapes job data from multiple job sites. :param scraper_input: - :return: Dict[str, JobResponse]: where each key is a site + :return: scraper_response """ def scrape_site(site: Site) -> Tuple[str, JobResponse]: scraper_class = SCRAPER_MAPPING[site] scraper = scraper_class() - scraped_data = scraper.scrape(scraper_input) + scraped_data: JobResponse = scraper.scrape(scraper_input) return (site.value, scraped_data) with ThreadPoolExecutor() as executor: - resp_dict = { - site: resp - for site, resp in executor.map(scrape_site, scraper_input.site_type) - } + results = dict(executor.map(scrape_site, scraper_input.site_type)) - return resp_dict + scraper_response = ScraperResponse(**results) + + print(scraper_input.output_format) + if scraper_input.output_format == OutputFormat.CSV: + csv_output = CSVFormatter.format(scraper_response) + response = StreamingResponse(csv_output, media_type="text/csv") + response.headers[ + "Content-Disposition" + ] = f"attachment; filename={generate_filename()}" + return response + + return scraper_response diff --git a/main.py b/main.py index 0a130a1..7c0e3cc 100644 --- a/main.py +++ b/main.py @@ -10,6 +10,7 @@ app = FastAPI( ) app.include_router(api_router) + @app.get("/health", tags=["health"]) async def health_check(): return {"message": "JobSpy ready to scrape"} diff --git a/postman/JobSpy.postman_collection.json b/postman/JobSpy.postman_collection.json index bc2d792..a51e91b 100644 --- a/postman/JobSpy.postman_collection.json +++ b/postman/JobSpy.postman_collection.json @@ -1,6 +1,6 @@ { "info": { - "_postman_id": "c5a3592e-a66b-4494-8b33-20d1068217bd", + "_postman_id": "831b3255-5236-4d0d-a97a-0d277e7fb545", "name": "JobSpy", "schema": "https://schema.getpostman.com/json/collection/v2.1.0/collection.json", "_exporter_id": "24144392" @@ -124,7 +124,7 @@ "header": [], "body": { "mode": "raw", - "raw": "{\r\n \"site_type\": [\"linkedin\", \"indeed\", \"zip_recruiter\"], // linkedin / indeed / zip_recruiter\r\n \"search_term\": \"software engineer\",\r\n\r\n // optional (if there's issues: try broader queries, else: submit issue)\r\n \"location\": \"austin, tx\",\r\n \"distance\": 20,\r\n \"job_type\": \"fulltime\", // fulltime, parttime, internship, contract\r\n \"is_remote\": false,\r\n \"easy_apply\": false, // linkedin only\r\n \"results_wanted\": 5 // for each site\r\n}", + "raw": "{\r\n /* required */\r\n \"site_type\": [\"linkedin\", \"indeed\", \"zip_recruiter\"], // linkedin / indeed / zip_recruiter\r\n \"search_term\": \"software engineer\",\r\n\r\n // optional (if there's issues: try broader queries, else: submit issue)\r\n \"location\": \"austin, tx\",\r\n \"distance\": 20,\r\n \"job_type\": \"fulltime\", // fulltime, parttime, internship, contract\r\n \"is_remote\": false,\r\n \"easy_apply\": false, // linkedin only\r\n \"results_wanted\": 5, // for each site,\r\n\r\n\r\n \"output_format\": \"json\" // json, csv\r\n}", "options": { "raw": { "language": "json" @@ -150,13 +150,72 @@ }, "response": [ { - "name": "Example", + "name": "CSV Example", "originalRequest": { "method": "POST", "header": [], "body": { "mode": "raw", - "raw": "{\r\n \"site_type\": [\"linkedin\", \"indeed\", \"zip_recruiter\"], // linkedin / indeed / zip_recruiter\r\n \"search_term\": \"software engineer\",\r\n\r\n // optional (if there's issues: try broader queries, else: submit issue)\r\n \"location\": \"austin, tx\",\r\n \"distance\": 20,\r\n \"job_type\": \"fulltime\", // fulltime, parttime, internship, contract\r\n \"is_remote\": false,\r\n \"easy_apply\": false, // linkedin only\r\n \"results_wanted\": 5 // for each site\r\n}", + "raw": "{\r\n \"site_type\": [\"linkedin\", \"indeed\", \"zip_recruiter\"], // linkedin / indeed / zip_recruiter\r\n \"search_term\": \"software engineer\",\r\n\r\n // optional (if there's issues: try broader queries, else: submit issue)\r\n \"location\": \"austin, tx\",\r\n \"distance\": 20,\r\n \"job_type\": \"fulltime\", // fulltime, parttime, internship, contract\r\n \"is_remote\": false,\r\n \"easy_apply\": false, // linkedin only\r\n \"results_wanted\": 5, // for each site,\r\n \"output_format\": \"csv\"\r\n}", + "options": { + "raw": { + "language": "json" + } + } + }, + "url": { + "raw": "http://127.0.0.1:8000/api/v1/jobs", + "protocol": "http", + "host": [ + "127", + "0", + "0", + "1" + ], + "port": "8000", + "path": [ + "api", + "v1", + "jobs" + ] + } + }, + "status": "OK", + "code": 200, + "_postman_previewlanguage": "plain", + "header": [ + { + "key": "date", + "value": "Sun, 27 Aug 2023 20:50:02 GMT" + }, + { + "key": "server", + "value": "uvicorn" + }, + { + "key": "content-type", + "value": "text/csv; charset=utf-8" + }, + { + "key": "content-disposition", + "value": "attachment; filename=JobSpy_results_20230827_155006.csv" + }, + { + "key": "Transfer-Encoding", + "value": "chunked" + } + ], + "cookie": [], + "body": "Site,Title,Company Name,Job URL,Country,City,State,Job Type,Compensation Interval,Min Amount,Max Amount,Currency,Date Posted,Description\r\nlinkedin,Software Engineer - AI Training (Remote Work),Remotasks,https://www.linkedin.com/jobs/view/3676403269,USA,Austin,TX,,,,,,2023-07-27 00:00:00,\"Seeking talented coders NOW! Be part of the artificial intelligence (AI) revolution. Flexible hours - work when you want, where you want!If you are great at solving competitive coding challenges (Codeforces, Sphere Online Judge, Leetcode, etc.), this may be the perfect opportunity for you.About RemotasksRemotasks makes it easy to earn extra income and contribute to building artificial intelligence tools. Since 2017, over 240,000 taskers have contributed to training AI models to be smarter, faster, and safer through flexible work on Remotasks.When you work on Remotasks, you'll get full control over when, where and how much you work. We'll teach you how to complete projects that leverage your coding expertise on the platform.ResponsibilitiesWe have partnered with organizations to train AI LLMs. You'll help to create training data so generative AI models can write better code.For each coding problem, you will:Write the solution in codeWrite test cases to confirm your code worksWrite a summary of the problemWrite an explanation of how your code solve the problem and why the approach is soundNo previous experience with AI necessary! You will receive detailed instructions to show you how to complete tasks after you complete the application and verification process.Qualifications and requirements:Bachelor's degree in Computer Science or equivalent. Students are welcome. Proficiency working with any of the the following: Python, Java, JavaScript / TypeScript, SQL, C/C++/C# and/or HTML. Nice to have (bonus languages): Swift, Ruby, Rust, Go, NET, Matlab, PHP, HTML, DART, R and ShellComplete fluency in the English language is required. You should be able to describe code and abstract information in a clear way. This opportunity is open to applicants in the United States, Canada, UK, New Zealand, Australia, Mexico, Argentina, and IndiaWhat To Expect For Your Application ProcessOnce you click to apply, you'll be taken to Remotask's application page. Easily sign up with your Gmail account. Answer a few questions about your education and background, and review our pay and security procedures. Verify your identity. Follow the steps on the screen to confirm your identity. We do this to make sure that your account belongs to you. Complete our screening exams, we use this to confirm your English proficiency and show you some examples of the tasks you'll complete on our platform. The benefits of working with Remotask:Get the pay you earn quickly - you will get paid weeklyEarn incentives for completing your first tasks and working moreWork as much or as little as you likeAccess to our support teams to help you complete your application, screening and tasksEarn referral bonuses by telling your friends about us. Pay: equivalent of $25-45 per hourPLEASE NOTE: We collect, retain and use personal data for our professional business purposes, including notifying you of job opportunities that may be of interest. We limit the personal data we collect to that which we believe is appropriate and necessary to manage applicants' needs, provide our services, and comply with applicable laws. Any information we collect in connection with your application will be treated in accordance with our internal policies and programs designed to protect personal data.\"\r\nlinkedin,Software Engineer 1,Public Partnerships | PPL,https://www.linkedin.com/jobs/view/3690013792,USA,Austin,TX,,,,,,2023-07-31 00:00:00,\"Public Partnerships LLC supports individuals with disabilities or chronic illnesses and aging adults, to remain in their homes and communities and “self” direct their own long-term home care. Our role as the nation’s largest and most experienced Financial Management Service provider is to assist those eligible Medicaid recipients to choose and pay for their own support workers and services within their state-approved personalized budget. We are appointed by states and managed healthcare organizations to better serve more of their residents and members requiring long-term care and ensure the efficient use of taxpayer funded services.Our culture attracts and rewards people who are results-oriented and strive to exceed customer expectations. We desire motivated candidates who are excited to join our fast-paced, entrepreneurial environment, and who want to make a difference in helping transform the lives of the consumers we serve. (learn more at www.publicpartnerships.com )Duties & Responsibilities Plans, develops, tests, documents, and implements software according to specifications and industrybest practices. Converts functional specifications into technical specifications suitable for code development. Works with Delivery Manager to evaluate user’s requests for new or modified computer programs todetermine feasibility, cost and time required, compatibility with current system, and computercapabilities. Follows coding and documentation standards. Participate in code review process. Collaborates with End Users to troubleshoot IT questions and generate reports. Analyzes, reviews, and alters program to increase operating efficiency or adapt to new requirementsRequired Skills System/application design, web, and client-server technology. Excellent communication skills and experience working with non-technical staff to understandrequirements necessary.QualificationsEducation & Experience:Relevant Bachelor’s degree required with a computer science, software engineering or information systems major preferred.0-2 years of relevant experience preferred. Demonstrated experience in Microsoft SQL server, Experience working with .NET Technologies and/or object-oriented programming languages. Working knowledge of object-oriented languageCompensation & Benefits401k Retirement PlanMedical, Dental and Vision insurance on first day of employmentGenerous Paid Time OffTuition & Continuing Education Assistance ProgramEmployee Assistance Program and more!The base pay for this role is between $85,000 to $95,000; base pay may vary depending on skills, experience, job-related knowledge, and location. Certain positions may also be eligible for a performance-based incentive as part of total compensation.Public Partnerships is an Equal Opportunity Employer dedicated to celebrating diversity and intentionally creating a culture of inclusion. We believe that we work best when our employees feel empowered and accepted, and that starts by honoring each of our unique life experiences. At PPL, all aspects of employment regarding recruitment, hiring, training, promotion, compensation, benefits, transfers, layoffs, return from layoff, company-sponsored training, education, and social and recreational programs are based on merit, business needs, job requirements, and individual qualifications. We do not discriminate on the basis of race, color, religion or belief, national, social, or ethnic origin, sex, gender identity and/or expression, age, physical, mental, or sensory disability, sexual orientation, marital, civil union, or domestic partnership status, past or present military service, citizenship status, family medical history or genetic information, family or parental status, or any other status protected under federal, state, or local law. PPL will not tolerate discrimination or harassment based on any of these characteristics.PPL does not discriminate based on race, color, religion, or belief, national, social, or ethnic origin, sex, gender identity and/or expression, age, physical, mental, or sensory disability, sexual orientation, marital, civil union, or domestic partnership status, protected veteran status, citizenship status, family medical history or genetic information, family or parental status, or any other status protected under federal, state, or local law.\"\r\nlinkedin,Front End Developer,Payment Approved,https://www.linkedin.com/jobs/view/3667178581,USA,Austin,TX,,,,,,2023-06-22 00:00:00,\"Front-End Developer Austin, TX Who We Are:At Payment Approved, we believe that the key to global money movement is a trusted network that emphasizes safety, security, cost-effectiveness, and accessibility. Our mission is to build the most trusted, comprehensive money movement network for every country, and human, in the world.We bridge the technology gap through financial tools that help businesses access an end-to-end solution for faster, simpler, and more secure payments and money movement around the world.The team at Payment Approved has decades of experience across technology, compliance, and financial services. We are financial and digitization leaders, working together to build an end-to-end solution for simple, secure, and safe money movement around the world.What You’ll Do:Be responsible for building out the Payment Approved Business Portal, our web application that allows our customers to onboard onto our services and products, and to review all of the payment transactions they execute with Payment ApprovedWork within a cross-functional scrum team focused on a given set of features and services in a fast-paced agile environmentCare deeply about code craftsmanship and qualityBring enthusiasm for using the best practices of scalability, accessibility, maintenance, observability, automation testing strategies, and documentation into everyday developmentAs a team player, collaborate effectively with other engineers, product managers, user experience designers, architects, and quality engineers across teams in translating product requirements into excellent technical solutions to delight our customersWhat You’ll Bring:Bachelor’s degree in Engineering or a related field3+ years of experience as a Front-End Developer, prior experience working on small business tools, payments or financial services is a plus2+ years of Vue.js and Typescript experience HTML5, CSS3, JavaScript (with knowledge of ES6), JSON, RESTFUL APIs, GIT, and NodeJS experience is a plusAdvanced organizational, collaborative, inter-personal, written and verbal communication skillsMust be team-oriented with an ability to work independently in a collaborative and fast-paced environmentWhat We Offer:Opportunity to join an innovative company in the FinTech space Work with a world-class team to develop industry-leading processes and solutions Competitive payFlexible PTOMedical, Dental, Vision benefitsPaid HolidaysCompany-sponsored eventsOpportunities to advance in a growing companyAs a firm, we are young, but mighty. We’re a certified VISA Direct FinTech, Approved Fast Track Program participant. We’re the winner of the IMTC 2020 RemTECH Awards. We’re PCI and SOC-2 certified. We operate in 15 countries. Our technology is cutting-edge, and our amazing team is what makes the difference between good and great. We’ve done a lot in the six years we’ve been around, and this is only the beginning.As for 2021, we have our eyes fixed: The money movement space is moving full speed ahead. We aim to help every company, in every country, keep up with its pace. Come join us in this objective!Powered by JazzHROPniae0WXR\"\r\nlinkedin,Full Stack Software Engineer,The Boring Company,https://www.linkedin.com/jobs/view/3601460527,USA,Austin,TX,,,,,,2023-04-18 00:00:00,\"The Boring Company was founded to solve the problem of soul-destroying traffic by creating an underground network of tunnels. Today, we are creating the technology to increase tunneling speed and decrease costs by a factor of 10 or more with the ultimate goal of making Hyperloop adoption viable and enabling rapid transit across densely populated regions.As a Full-Stack Software Engineer you will be responsible for helping build automation and application software for the next generation of tunnel boring machines (TBM), used to build new underground transportation systems and Hyperloops. This role will primarily be focused on designing and implementing tools to operate, analyze and control The Boring Company's TBMs. Within this role, you will have wide exposure to the overall system architecture.ResponsibilitiesSupport software engineering & controls team writing code for tunnel boring machineDesign and implement tunnel boring HMIsOwnership of data pipelineVisualize relevant data for different stakeholders using dashboards (e.g., Grafana)Support and improve built pipelineBasic QualificationsBachelor’s Degree in Computer Science, Software Engineering, or equivalent fieldExperience developing software applications in Python, C++ or similar high-level languageDevelopment experience in JavaScript, CSS and HTMLFamiliar with using SQL and NoSQL (time series) databasesExperience using git or similar versioning tools for developmentAbility and motivation to learn new skills rapidlyCapable of working with imperfect informationPreferred Skills and ExperienceExcellent communication and teamwork skillsExperience in designing and testing user interfacesKnowledge of the protocols HTTP and MQTTExperience using and configuring CI/CD pipelines and in writing unit testsExperience working in Windows and Linux operating systemsWork experience in agile teams is a plusAdditional RequirementsAbility to work long hours and weekends as necessaryReporting Location: Bastrop, Texas - HeadquartersCultureWe're a team of dedicated, smart, and scrappy people. Our employees are passionate about our mission and determined to innovate at every opportunity.BenefitsWe offer employer-paid medical, dental, and vision coverage, a 401(k) plan, paid holidays, paid vacation, and a competitive amount of equity for all permanent employees.The Boring Company is an Equal Opportunity Employer; employment with The Boring Company is governed on the basis of merit, competence and qualifications and will not be influenced in any manner by race, color, religion, gender, national origin/ethnicity, veteran status, disability status, age, sexual orientation, gender identity, marital status, mental or physical disability or any other legally protected status.\"\r\nlinkedin,Full Stack Engineer,Method,https://www.linkedin.com/jobs/view/3625989512,USA,Austin,TX,,,,,,2023-06-05 00:00:00,\"About Method🔮 Method Financial was founded in 2021 after our founders experienced first-hand the difficulties of embedding debt repayment into their app (GradJoy). They decided to build their own embedded banking service that allows developers to easily retrieve and pay any of their users' debts – including credit cards, student loans, car loans, and mortgages – all through a single API.As a Top 10 Fintech Startup, we’re focused on providing the opportunity for ambitious and entrepreneurial individuals to have high levels of impact at the forefront of the fintech space. Continuous improvement, collaboration, and a clear mission bring us together in service of delivering the best products for our users. We are a remote-flexible team, striving to set up the best environment for everyone to be successful and we are excited to continue to grow.We recently closed a $16 million Series A funding round led by Andreessen Horowitz, with participation from Truist Ventures, Y Combinator (Method’s a Y Combinator graduate), Abstract Ventures, SV Angel and others. We're also backed by founders and leaders of Truebill, Upstart, and Goldman Sachs.We prefer this role to be located in Austin, TX (to sit closer to our technical leadership). If you're interested in relocating to Austin, TX we can offer relocation assistance as well.The ImpactAs a foundational member of the data focused engineering team, you will own projects from end-to-end, making decisions on technical and business implications. You will have autonomy over your projects with support from the team when you need it.What you'll doBuild with JavaScript across the platform. Build delightful user experiences in React and power them with a reliable backend in Node.Investigate and debug any issues using our monitoring & logging tools as well as create clear action items to resolve them.Help maintain our high technical bar by participating in code reviews and interviewing new team members.Collaborate with the rest of the team to define the roadmap by thoroughly understanding customers’ needs. Who you are2+ years of full-time software engineering experience.Experience building scalable production-level applications. (A history of excellent projects is required)Experience working with some combination of Node / JS, React (or similar framework), Postgres (or similar relational database), and MongoDB / NoSQL.You can clearly communicate the concepts or ideas behind your solutions, and cut big solutions into smaller bite-sized tasks.You can tow the line between moving fast and breaking things and moving slowly to get things right the first time. Technical debt is okay, we’ll refactor it later!Natural curiosity to stay up to date with new technologies and emerging Fintech trends. Extra awesomeLocated in Austin, TX or interested in relocating to Austin, TXExperience in Finance / FinTech.Experience building data pipelines Knowledge of payment rails such as ACH, RTP, etc.DevOps experience with AWS, Cloudflare, and CI/CD tools.BenefitsWe believe people do their best work when they are healthy and happy. Our founding team is in Austin, TX, and Washington, DC, but we are a remote-flexible company.💰 Competitive Salary + Equity🧑‍💻 Remote + Flexible Work Schedule (Full COVID-19 vaccination is required to work from our offices)🏖️ Unlimited PTO🏥 Full Health Care📚 Learning Stipend👶 Paid Parental Leave🏫 Student loan repaymentWhat makes us MethodBeing a minority-owned business, we firmly believe that diversity drives innovation. Our differences are what make us stronger. We‘re passionate about building a workplace that represents a variety of backgrounds, skills, and perspectives and does not discriminate on the basis of race, religion, color, national origin, gender, sexual orientation, age, marital status, veteran status, or disability status. We engage a thoughtful, strategic recruiting practice to add to our uniqueness and success. Everyone is welcome here!Come join us!There's no such thing as a 'perfect' candidate. We encourage you to apply even if you don't 100% match the exact candidate description!Disclaimer To Staffing/Recruiting AgenciesMethod Financial does not accept unsolicited resumes from recruiters or employment agencies in response to our Career page or a Method Financial social media/job board post. Method Financial will not consider or agree to payment of any referral compensation or recruiter fee relating to these unsolicited resumes. Method Financial explicitly reserves the right to hire those candidate(s) without any financial obligation to the recruiter or agency. Any unsolicited resumes, including those submitted to hiring managers, are deemed to be the property of Method Financial.\"\r\nindeed,Engineering Lead,General Motors,https://www.indeed.com/jobs/viewjob?jk=c1139ac77c81be76,USA,Austin,TX,fulltime,,,,,2023-07-31 00:00:00,\"Job Description General Motors are seeking a highly skilled IT Software Development Lead with a proven track record in leading technical efforts and delivering successful software projects. In this role, you will be a key player in developing cutting-edge software applications, utilizing industry standard methodologies and the latest technologies. Responsibilities: Lead Software Development: Take charge of the full lifecycle application development, adhering to standard frameworks and coding patterns. You will be responsible for designing, coding, testing, debugging, and documenting software applications. Mentorship and Collaboration: Coach and mentor junior developers, fostering their growth and development. Collaborate closely with senior developers and software engineers to gain additional knowledge and expertise, contributing to a strong and cohesive team Usability and Performance: Demonstrate a strong eye for usability and drive continuous improvement in performance, usability, and automation of software systems. Quality Assurance: Perform software testing and quality assurance activities to ensure the delivery of reliable and high-quality software solutions. Integration and Compliance: Integrate software with existing systems and maintain compliance with industry standards and methodologies. Implement localization and globalization of software as needed. Innovation and Continuous Learning: Stay up to date with the latest industry trends, technologies, and best practices. Demonstrate a willingness to explore and implement innovative solutions to improve development processes and efficiency. Agile Development: Work in an agile environment, collaborating closely with Agile counterparts to ensure development commitments are honored. Proactively engage in resolving software issues related to code quality, security, and configuration. Technical Documentation: Create comprehensive technical documentation, including system design specifications and user documentation, ensuring it meets company standards. Requirements: Minimum 7 years of hands-on software development experience, Minimum 3 years of experience in a Development Lead role, mentoring junior developers. Demonstrated mastery of Java and cloud technologies, such as Kubernetes. Extensive experience in UI Design and a good understanding of software development best practices are essential. Strong knowledge and understanding of database queries, with preference given to experience with PostgreSQL. Excellent communication skills to effectively interact with team members, stakeholders, and upper management. The ability to translate technical concepts into non-technical language is crucial. Hybrid: Position does not require an employee to be on-site full-time but the general expectation is that the employee be onsite an average of three (3) days each week GM DOES NOT PROVIDE IMMIGRATION-RELATED SPONSORSHIP FOR THIS ROLE. DO NOT APPLY FOR THIS ROLE IF YOU WILL NEED GM IMMIGRATION SPONSORSHIP (e.g., H-1B, TN, STEM OPT, etc.) NOW OR IN THE FUTURE. About GM Our vision is a world with Zero Crashes, Zero Emissions and Zero Congestion and we embrace the responsibility to lead the change that will make our world better, safer and more equitable for all. Why Join Us We aspire to be the most inclusive company in the world. We believe we all must make a choice every day – individually and collectively – to drive meaningful change through our words, our deeds and our culture. Our Work Appropriately philosophy supports our foundation of inclusion and provides employees the flexibility to work where they can have the greatest impact on achieving our goals, dependent on role needs. Every day, we want every employee, no matter their background, ethnicity, preferences, or location, to feel they belong to one General Motors team. Benefits Overview The goal of the General Motors total rewards program is to support the health and well-being of you and your family. Our comprehensive compensation plan incudes, the following benefits, in addition to many others: Paid time off including vacation days, holidays, and parental leave for mothers, fathers and adoptive parents; Healthcare (including a triple tax advantaged health savings account and wellness incentive), dental, vision and life insurance plans to cover you and your family; Company and matching contributions to 401K savings plan to help you save for retirement; Global recognition program for peers and leaders to recognize and be recognized for results and behaviors that reflect our company values; Tuition assistance and student loan refinancing; Discount on GM vehicles for you, your family and friends. Diversity Information General Motors is committed to being a workplace that is not only free of discrimination, but one that genuinely fosters inclusion and belonging. We strongly believe that workforce diversity creates an environment in which our employees can thrive and develop better products for our customers. We understand and embrace the variety through which people gain experiences whether through professional, personal, educational, or volunteer opportunities. GM is proud to be an equal opportunity employer. We encourage interested candidates to review the key responsibilities and qualifications and apply for any positions that match your skills and capabilities. Equal Employment Opportunity Statements GM is an equal opportunity employer and complies with all applicable federal, state, and local fair employment practices laws. GM is committed to providing a work environment free from unlawful discrimination and advancing equal employment opportunities for all qualified individuals. As part of this commitment, all practices and decisions relating to terms and conditions of employment, including, but not limited to, recruiting, hiring, training, promotion, discipline, compensation, benefits, and termination of employment are made without regard to an individ ual's protected characteristics. For purposes of this policy, “protected characteristics\"\" include an individual's actual or perceived race, color, creed, religion, national origin, ancestry, citizenship status, age, sex or gender (including pregnancy, childbirth, lactation and related medical conditions), gender identity or gender expression, sexual orientation, weight, height, marital status, military service and veteran status, physical or mental disability, protected medical condition as defined by applicable state or local law, genetic information, or any other characteristic protected by applicable federal, state or local laws and ordinances. If you need a reasonable accommodation to assist with your job search or application for employment, email us at Careers.Accommodations@GM.com or call us at 800-865-7580. In your email, please include a description of the specific accommodation you are requesting as well as the job title and requisition number of the position for which you are applying.\"\r\nindeed,Software Engineer,INTEL,https://www.indeed.com/jobs/viewjob?jk=a2cfbb98d2002228,USA,Austin,TX,fulltime,yearly,209760.0,139480.0,USD,2023-08-18 00:00:00,\"Job Description Designs, develops, tests, and debugs software tools, flows, PDK design components, and/or methodologies used in design automation and by teams in the design of hardware products, process design, or manufacturing. Responsibilities include capturing user stories/requirements, writing both functional and test code, automating build and deployment, and/or performing unit, integration, and endtoend testing of the software tools. #DesignEnablement Qualifications Minimum qualifications are required to be initially considered for this position. Preferred qualifications are in addition to the minimum requirements and are considered a plus factor in identifying top candidates. Minimum Qualifications: Candidate must possess a BS degree with 6+ years of experience or MS degree with 4+ years of experience or PhD degree with 2+ years of experience in Computer Engineering, EE, Computer Science, or relevant field. 3+ years of experience in the following: Database structure and algorithms. C or C++ software development. Scripting in Perl or Python or TCL. ICV-PXL or Calibre SVRF or Physical Verification runset code development. Preferred Qualifications: 3+ years of experience in the following: Agile/Test-Driven Development. Semiconductor Devices, device physics or RC Extraction. RC Modeling or Electrostatics or Field Solver development Inside this Business Group As the world's largest chip manufacturer, Intel strives to make every facet of semiconductor manufacturing state-of-the-art - from semiconductor process development and manufacturing, through yield improvement to packaging, final test and optimization, and world class Supply Chain and facilities support. Employees in the Technology Development and Manufacturing Group are part of a worldwide network of design, development, manufacturing, and assembly/test facilities, all focused on utilizing the power of Moore’s Law to bring smart, connected devices to every person on Earth. Other Locations US, TX, Austin; US, CA, Folsom; US, CA, Santa Clara Covid Statement Intel strongly encourages employees to be vaccinated against COVID-19. Intel aligns to federal, state, and local laws and as a contractor to the U.S. Government is subject to government mandates that may be issued. Intel policies for COVID-19 including guidance about testing and vaccination are subject to change over time. Posting Statement All qualified applicants will receive consideration for employment without regard to race, color, religion, religious creed, sex, national origin, ancestry, age, physical or mental disability, medical condition, genetic information, military and veteran status, marital status, pregnancy, gender, gender expression, gender identity, sexual orientation, or any other characteristic protected by local law, regulation, or ordinance. Benefits We offer a total compensation package that ranks among the best in the industry. It consists of competitive pay, stock, bonuses, as well as, benefit programs which include health, retirement, and vacation. Find more information about all of our Amazing Benefits here: https://www.intel.com/content/www/us/en/jobs/benefits.html Annual Salary Range for jobs which could be performed in US, California: $139,480.00-$209,760.00 Salary range dependent on a number of factors including location and experience Working Model This role will be eligible for our hybrid work model which allows employees to split their time between working on-site at their assigned Intel site and off-site. In certain circumstances the work model may change to accommodate business needs. JobType Hybrid\"\r\nindeed,Software Engineer,Adobe,https://www.indeed.com/jobs/viewjob?jk=3881847c259e22b0,USA,Austin,TX,fulltime,yearly,194300.0,101500.0,USD,2023-07-17 00:00:00,\"Our Company Changing the world through digital experiences is what Adobe’s all about. We give everyone—from emerging artists to global brands—everything they need to design and deliver exceptional digital experiences! We’re passionate about empowering people to create beautiful and powerful images, videos, and apps, and transform how companies interact with customers across every screen. We’re on a mission to hire the very best and are committed to creating exceptional employee experiences where everyone is respected and has access to equal opportunity. We realize that new ideas can come from everywhere in the organization, and we know the next big idea could be yours! The Opportunity ***Please kindly note this is not a recent/upcoming university grad or university internship position. Please review the minimum requirements for this experienced position carefully before applying.*** Adobe’s Commerce Engineering team is looking for an experienced and versatile Software Engineer to join our Cloud Engineering team. As a high-growth e-commerce company, we are looking for an experienced Software Engineer with a heavy full-stack development background to deliver the best Adobe Commerce Cloud experience to our merchants and system integrators. At Adobe Commerce (also known as Magento), we have a solid history of delivering successful open-source software projects. What you'll do Create code and infrastructure solutions for Adobe Commerce Cloud. Design cloud architecture and provide guidance on cloud computing to solve problems and improve products. Actively participate in architectural discussions and propose solutions to system and product changes across teams. Work on complicated issues with live cloud server environments and provide application configuration and tuning recommendations for optimal performance. Identify and drive application improvements and modifications to support the project delivery. Develop and maintain automation tools for team needs. Review code and provide technical mentorship to team members. Collaborate and communicate with Internal and External developers, community members and merchants. Write tests to ensure code quality and reliability for our projects. Write technical notes to share internally and across teams. Work using Agile/Kanban principles What you need to succeed B.S. degree in Computer Science, related technical field or equivalent experience 4+ years experience in web development, not to include internships, co-ops, coursework, etc Must have deep working knowledge and extensive experience with PHP7 (including debugging and profiling), object-oriented programming and design patterns Proven experience with at least one PHP web framework such as Symfony, Laravel, Zend, CodeIgniter, Wordpress, Drupal Working experience with Linux, Docker and IaaS providers such as AWS, Azure, GCP, or similar Familiar with web-application security vulnerabilities Experience with Version Control Systems (Git) Experience with SQL Databases (MySQL), DB architecture, profiling, and optimization of queries; experience with Elasticsearch, Redis, Nginx Exposure to HTML, CSS, JavaScript, and jQuery Exposure to New Relic, Kubernetes, or Jenkins is beneficial but not required Strong written and oral communication skills, demonstrating the ability to effectively convey technical information to both technical and non-technical audiences Our compensation reflects the cost of labor across several U.S. geographic markets, and we pay differently based on those defined markets. The U.S. pay range for this position is $101,500 -- $194,300 annually. Pay within this range varies by work location and may also depend on job-related knowledge, skills, and experience. Your recruiter can share more about the specific salary range for the job location during the hiring process. At Adobe, for sales roles starting salaries are expressed as total target compensation (TTC = base + commission), and short-term incentives are in the form of sales commission plans. Non-sales roles starting salaries are expressed as base salary and short-term incentives are in the form of the Annual Incentive Plan (AIP). In addition, certain roles may be eligible for long-term incentives in the form of a new hire equity award. Adobe is proud to be an Equal Employment Opportunity and affirmative action employer. We do not discriminate based on gender, race or color, ethnicity or national origin, age, disability, religion, sexual orientation, gender identity or expression, veteran status, or any other applicable characteristics protected by law. Learn more. Adobe aims to make Adobe.com accessible to any and all users. If you have a disability or special need that requires accommodation to navigate our website or complete the application process, email accommodations@adobe.com or call (408) 536-3015. Adobe values a free and open marketplace for all employees and has policies in place to ensure that we do not enter into illegal agreements with other companies to not recruit or hire each other’s employees.\"\r\nindeed,Junior Software Engineer,Vetro Tech Inc,https://www.indeed.com/jobs/viewjob?jk=81f93e5660892a99,USA,Austin,TX,fulltime,yearly,98000.0,84000.0,USD,2023-07-28 00:00:00,\"We are looking for an enthusiastic junior software developer to join our experienced software design team. Your primary focus will be to learn the codebase, gather user data, and respond to requests from senior developers. Visa sponsorship available if required, Training available if required Remote Jobs available Candidate must be eligible for visa filling To ensure success as a junior software developer, you should have a good working knowledge of basic programming languages, the ability to learn new technology quickly, and the ability to work in a team environment. Ultimately, a top-class Junior Software Developer provides valuable support to the design team while continually improving their coding and design skills.Junior Software Developer Responsibilities: Attending and contributing to company development meetings. Learning the codebase and improving your coding skills. Writing and maintaining code. Working on minor bug fixes. Monitoring the technical performance of internal systems. Responding to requests from the development team. Gathering information from consumers about program functionality. Junior Software Developer Requirements: * Bachelor’s degree in computer science. Knowledge of basic coding languages including C++, HTML5, and JavaScript. Knowledge of databases and operating systems. Good working knowledge of email systems and Microsoft Office software. Ability to learn new software and technologies quickly. Ability to follow instructions and work in a team environment. Job Type: Full-time Salary: $84,000.00 - $98,000.00 per year Schedule: Monday to Friday Work Location: Remote\"\r\nindeed,Software Engineer,Dutech,https://www.indeed.com/jobs/viewjob?jk=f352522fd35ad8c7,USA,Austin,TX,fulltime,hourly,85.0,80.0,USD,2023-08-17 00:00:00,\"II. CANDIDATE SKILLS AND QUALIFICATIONS Minimum Requirements:Candidates that do not meet or exceed the minimum stated requirements (skills/experience) will be displayed to customers but may not be chosen for this opportunity. Years Required/Preferred Experience 8 Required Experience with RPA on BluePrism including development, troubleshooting and testing 8 Required Experience with web development including HTML, JavaScript, DOM and HTTP protocol 8 Required Experience with SQL/No-SQL databases 8 Required Experience with RESTful web services 8 Required Experience with Azure infrastructure including troubleshooting 8 Required Experience in RESTful web services on Spring platform 3 Preferred Experience within software development using Agile methodology Job Types: Full-time, Contract Salary: $80.00 - $85.00 per hour Experience: REST: 1 year (Preferred) Java: 1 year (Preferred) Work Location: Remote\"\r\nzip_recruiter,Senior Software Engineer,Macpower Digital Assets Edge (MDA Edge),https://www.ziprecruiter.com/jobs/macpower-digital-assets-edge-mda-edge-3205cee9/senior-software-engineer-59332966?zrclid=a179895f-459a-4d30-9500-ecb760b5aec1&lvk=wEF8NWo_yJghc-buzNmD7A.--N2aWoMMcN,USA,Austin,TX,fulltime,yearly,140000.0,140000.0,USA,2023-07-21 09:17:19+00:00,\"Job Summary: As a senior software engineer, you will be a key player in building and contributing to our platform and product roadmap, shaping our technology strategy, and mentoring talented engineers. You are motivated by being apart of effective engineering teams and driven to roll up your sleeves and dive into code when necessary. Being hands on with code is critical for success in this role. 80-90% of time will be spent writing actual code. Our engineering team is hybrid and meets in-person (Austin, TX) 1-2 days a week. Must haves: Background: 5+ years in software engineering with demonstrated success working for fast-growing companies. Success in building software from the ground up with an emphasis on architecture and backend programming. Experience developing software and APIs with technologies like TypeScript, Node.js, Express, NoSQL databases, and AWS. Nice to haves: Domain expertise: Strong desire to learn and stay up-to-date with the latest user-facing security threats and attack methods. Leadership experience is a plus. 2+ years leading/managing teams of engineers. Ability to set and track goals with team members, delegate intelligently. Project management: Lead projects with a customer-centric focus and a passion for problem-solving.\"\r\nzip_recruiter,Software Developer II (Web-Mobile) - Remote,Navitus Health Solutions LLC,https://www.ziprecruiter.com/jobs/navitus-health-solutions-llc-1a3cba76/software-developer-ii-web-mobile-remote-aa2567f2?zrclid=93f5aca3-9a0a-4206-810c-b06696bdec7b&lvk=NKzmQn2kG7L1VJplTh5Cqg.--N2aTr3mbB,USA,Austin,TX,fulltime,yearly,75000.0,102000.0,USA,2023-07-22 00:49:06+00:00,\"Putting People First in Pharmacy- Navitus was founded as an alternative to traditional pharmacy benefit manager (PBM) models. We are committed to removing cost from the drug supply chain to make medications more affordable for the people who need them. At Navitus, our team members work in an environment that celebrates diversity, fosters creativity and encourages growth. We welcome new ideas and share a passion for excellent service to our customers and each other. The Software Developer II ensures efforts are in alignment with the IT Member Services to support customer-focused objectives and the IT Vision, a collaborative partner delivering innovative ideas, solutions and services to simplify people’s lives. The Software Developer II’s role is to define, develop, test, analyze, and maintain new software applications in support of the achievement of business requirements. This includes writing, coding, testing, and analyzing software programs and applications. The Software Developer will also research, design, document, and modify software specifications throughout the production life cycle.Is this you? Find out more below! How do I make an impact on my team?Collaborate with developers, programmers, and designers in conceptualizing and development of new software programs and applications.Analyze and assess existing business systems and procedures.Design, develop, document and implement new applications and application enhancements according to business and technical requirementsAssist in defining software development project plans, including scoping, scheduling, and implementation.Conduct research on emerging application development software products, languages, and standards in support of procurement and development efforts.Liaise with internal employees and external vendors for efficient implementation of new software products or systems and for resolution of any adaptation issues.Recommend, schedule, and perform software improvements and upgrades.Write, translate, and code software programs and applications according to specifications.Write programming scripts to enhance functionality and/or performance of company applications as necessary.Design, run and monitor software performance tests on new and existing programs for the purposes of correcting errors, isolating areas for improvement, and general debugging to deliver solutions to problem areas.Generate statistics and write reports for management and/or team members on the status of the programming process.Develop and maintain user manuals and guidelines and train end users to operate new or modified programs.Install software products for end users as required.Responsibilities (working knowledge of several of the following):Programming LanguagesC#HTML/HTML5CSS/CSS3JavaScriptAngularReact/NativeRelation DB development (Oracle or SQL Server) Methodologies and FrameworksASP.NET CoreMVCObject Oriented DevelopmentResponsive Design ToolsVisual Studio or VSCodeTFS or other source control softwareWhat our team expects from you? College diploma or university degree in the field of computer science, information systems or software engineering, and/or 6 years equivalent work experienceMinimum two years of experience requiredPractical experience working with the technology stack used for Web and/or Mobile Application developmentExcellent understanding of coding methods and best practices.Experience interviewing end-users for insight on functionality, interface, problems, and/or usability issues.Hands-on experience developing test cases and test plans.Healthcare industry practices and HIPAA knowledge would be a plus.Knowledge of applicable data privacy practices and laws.Participate in, adhere to, and support compliance program objectivesThe ability to consistently interact cooperatively and respectfully with other employeesWhat can you expect from Navitus?Hours/Location: Monday-Friday 8:00am-5:00pm CST, Appleton WI Office, Madison WI Office, Austin TX Office, Phoenix AZ Office or RemotePaid Volunteer HoursEducational Assistance Plan and Professional Membership assistanceReferral Bonus Program – up to $750!Top of the industry benefits for Health, Dental, and Vision insurance, Flexible Spending Account, Paid Time Off, Eight paid holidays, 401K, Short-term and Long-term disability, College Savings Plan, Paid Parental Leave, Adoption Assistance Program, and Employee Assistance Program\"\r\nzip_recruiter,Software Developer II- remote,Navitus Health Solutions LLC,https://www.ziprecruiter.com/jobs/navitus-health-solutions-llc-1a3cba76/software-developer-ii-remote-a9ff556a?lvk=Oz2MG9xtFwMW6hxOsCrtJw.--N2cr_mA0F&zrclid=de4a2101-070a-48bf-aed7-ab01b14f8dfe,USA,Austin,TX,fulltime,yearly,75000.0,102000.0,USA,2023-07-10 20:44:25+00:00,\"Putting People First in Pharmacy- Navitus was founded as an alternative to traditional pharmacy benefit manager (PBM) models. We are committed to removing cost from the drug supply chain to make medications more affordable for the people who need them. At Navitus, our team members work in an environment that celebrates diversity, fosters creativity and encourages growth. We welcome new ideas and share a passion for excellent service to our customers and each other. The Software Developer II ensures efforts are in alignment with the IT Health Strategies Team to support customer-focused objectives and the IT Vision, a collaborative partner delivering innovative ideas, solutions and services to simplify people’s lives. The Software Developer IIs role is to define, develop, test, analyze, and maintain new and existing software applications in support of the achievement of business requirements. This includes designing, documenting, coding, testing, and analyzing software programs and applications. The Software Developer will also research, design, document, and modify software specifications throughout the production life cycle.Is this you? Find out more below! How do I make an impact on my team?Provide superior customer service utilizing a high-touch, customer centric approach focused on collaboration and communication.Contribute to a positive team atmosphere.Innovate and create value for the customer.Collaborate with analysts, programmers and designers in conceptualizing and development of new and existing software programs and applications.Analyze and assess existing business systems and procedures.Define, develop and document software business requirements, objectives, deliverables, and specifications on a project-by-project basis in collaboration with internal users and departments.Design, develop, document and implement new applications and application enhancements according to business and technical requirements.Assist in defining software development project plans, including scoping, scheduling, and implementation.Research, identify, analyze, and fulfill requirements of all internal and external program users.Recommend, schedule, and perform software improvements and upgrades.Consistently write, translate, and code software programs and applications according to specifications.Write new and modify existing programming scripts to enhance functionality and/or performance of company applications as necessary.Liaise with network administrators, systems analysts, and software engineers to assist in resolving problems with software products or company software systems.Design, run and monitor software performance tests on new and existing programs for the purposes of correcting errors, isolating areas for improvement, and general debugging.Administer critical analysis of test results and deliver solutions to problem areas.Generate statistics and write reports for management and/or team members on the status of the programming process.Liaise with vendors for efficient implementation of new software products or systems and for resolution of any adaptation issues.Ensure target dates and deadlines for development are met.Conduct research on emerging application development software products, languages, and standards in support of procurement and development efforts.Develop and maintain user manuals and guidelines.Train end users to operate new or modified programs.Install software products for end users as required.Participate in, adhere to, and support compliance program objectives.Other related duties as assigned/required.Responsibilities (including one or more of the following):VB.NETC#APIFast Healthcare Interoperability Resources (FHIR)TelerikOracleMSSQLVisualStudioTeamFoundation StudioWhat our team expects from you? College diploma or university degree in the field of computer science, information systems or software engineering, and/or 6 years equivalent work experience.Minimum two years of experience requiredExcellent understanding of coding methods and best practices.Working knowledge or experience with source control tools such as TFS and GitHub.Experience interviewing end-users for insight on functionality, interface, problems, and/or usability issues.Hands-on experience developing test cases and test plans.Healthcare industry practices and HIPAA knowledge would be a plus.Knowledge of applicable data privacy practices and laws.Participate in, adhere to, and support compliance program objectivesThe ability to consistently interact cooperatively and respectfully with other employeesWhat can you expect from Navitus?Hours/Location: Monday-Friday remote Paid Volunteer HoursEducational Assistance Plan and Professional Membership assistanceReferral Bonus Program – up to $750!Top of the industry benefits for Health, Dental, and Vision insurance, Flexible Spending Account, Paid Time Off, Eight paid holidays, 401K, Short-term and Long-term disability, College Savings Plan, Paid Parental Leave, Adoption Assistance Program, and Employee Assistance Program\"\r\nzip_recruiter,\"Senior Software Engineer (Hybrid - Austin, TX)\",CharterUP,https://www.ziprecruiter.com/jobs/charterup-80729e0b/senior-software-engineer-hybrid-austin-tx-c76e2d33?zrclid=ed39df9a-eeb2-462e-9fea-ce98c58ddf21&lvk=bU8dp4CX2RFWX8p3yZuavA.--N2aq6lPik,USA,Austin,TX,fulltime,yearly,140000.0,180000.0,USA,2023-05-21 02:27:11+00:00,\"Title: Senior Software EngineerReports to: Director of EngineeringLocation: Austin, TX (in-office ~3 days per week)About CharterUPIf you’ve been searching for a career with a company that values creativity, innovation and teamwork, consider this your ticket to ride.CharterUP is on a mission to shake up the fragmented $15 billion charter bus industry by offering the first online marketplace that connects customers to a network of more than 600 bus operators from coast to coast. Our revolutionary platform makes it possible to book a bus in just 60 seconds – eliminating the stress and hassle of coordinating group transportation for anyone from wedding parties to Fortune 500 companies. We’re introducing transparency, accountability and accessibility to an industry as archaic as phone books. By delivering real-time availability and pricing, customers can use the CharterUP marketplace to easily compare quotes, vehicles, safety records and reviews.We're seeking team members who are revved up and ready to use technology to make a positive impact. As part of the CharterUP team, you'll work alongside some of the brightest minds in the technology and transportation industries. You'll help drive the future of group travel and help raise the bar for service standards in the industry, so customers can always ride with confidence.But we're not just about getting from point A to point B – CharterUP is also committed to sustainability. By promoting group travel, we can significantly reduce carbon emissions and help steer our planet towards a greener future. In 2022 alone, we eliminated over 1 billion miles worth of carbon emissions with 25 million miles driven.CharterUP is looking for passionate and driven individuals to join our team and help steer us towards a better future for group transportation. On the heels of a $60 million Series A funding round, we’re ready to kick our growth into overdrive – and we want you to be part of the ride. About this roleCharterUP is seeking a Senior Software Engineer to architect, implement, and own a wide variety of customer facing and back-office software systems powering our two-sided marketplace business.  You’ll work closely with our engineering leaders, product managers, and engineering team to design and build systems that will scale with our rapidly growing business needs.  You will lead a wide variety of technology initiatives across multiple disciplines including REST API Services, Web Applications, Mobile Apps, Data Engineering and DevOps.CompensationEstimated base salary for this role is $140,000-$180,000Comprehensive benefits package, including fully subsidized medical insurance for CharterUP employees and 401(k)ResponsibilitiesDevelop robust software products in our Java and Node.js platformDeploy high-quality software products to our AWS cloud infrastructureDevelop tooling and processes to benefit our growing teamThough this is not a people manager role, you will mentor more junior engineers on technical skillsDefine and promote software engineering best practicesContribute to technical vision, direction and implementationExperience and ExpertiseUndergraduate degree in Computer Science, Engineering, or equivalent4+ years of experience as a professional fullstack software engineerExperience with building Java backend services; and Vue, React, or Angular frontendsUnderstanding of cloud infrastructure, preferably of AWSYou are a coder that loves to be hands-on, leading the charge on complex projectsComfortable taking ownership end-to-end of deliverablesRecruiting ProcessStep 1 - Video call: Talent Acquisition interviewStep 2 - Hiring Manager interviewStep 3 - Team interviewsStep 4 - Offer!Welcome aboard!CharterUP PrinciplesAt CharterUP, we don’t compromise on quality. We hire smart, high-energy, trustworthy people and keep them as motivated and happy as possible. We do that by adhering to our principles, which are:Customer FirstWe always think about how our decisions will impact our clients; earning and keeping customer trust is our top priorityWe are not afraid of short-term pain for long-term customer benefitCreate an Environment for Exceptional PeopleWe foster intellectual curiosityWe identify top performers, mentor them, and empower them to achieveEvery hire and promotion will have a higher standardEveryone is an Entrepreneur / OwnerNo team member is defined by their function or job title; no job is beneath anyoneWe do more with less; we are scrappy and inventiveWe think long-termRelentlessly High StandardsWe reject the status quo; we constantly innovate and question established routines We are not afraid to be wrong; the best idea winsWe don’t compromise on qualityClarity & SpeedWhen in doubt, we act; we can always change courseWe focus on the key drivers that will deliver the most resultsMandate to Dissent & CommitWe are confident in expressing our opinions; it is our obligation to express our disagreementOnce we agree, we enthusiastically move together as a teamCharterUP is an equal opportunity employer.  We make all employment decisions including hiring, evaluation, termination, promotional and training opportunities, without regard to race, religion, color, sex, age, national origin, ancestry, sexual orientation, physical handicap, mental disability, medical condition, disability, gender or identity or expression, pregnancy or pregnancy-related condition, marital status, height and/or weight.Powered by JazzHRUWDpNXuN9c\"\r\nzip_recruiter,Software Engineer,Calendars.com,https://www.ziprecruiter.com/jobs/calendars-com-50c4d302/software-engineer-479a2bcc?lvk=5aHFAgPmAhfNwvOvvouWGQ.--N2abyqKoR&zrclid=2c4f6a0f-f21f-4c7f-92ec-5505193a722e,USA,Austin,TX,fulltime,,,,,2023-08-04 13:57:57+00:00,\"Who we are:Calendar Holdings, LLC, based in Austin, Texas, is the parent company to several retail brands, including Calendars.com, Go! Games & Toys, and Attic Salt. Calendar Holdings is the world’s largest operator of holiday pop-up stores and operate nearly a thousand stores in malls, outlets, shopping centers, and lifestyle centers across the United States under Go! Calendars, Go! Games, and Go! Toys brands. Established almost 30 years ago, we still operate with a “start-up” mentality where ideas flourish and new paths arise. This is a great opportunity to jumpstart your professional career while getting to work alongside intelligent, like-minded people. Our team is highly collaborative, motivated, nimble, and dedicated to optimize the business . . . not because they have to, but because they want to. We're serious about having fun at work, but our success is built on insight and hard work. We are dedicated to happy employees and nurturing professional growth. As part of our core values, we are committed to the highest standards of ethics and business conduct. These standards are demonstrated in our relationships with customers, supplier, competitors and the communities in which we operate, and with each other, as employees, at every organizational level. We want our employees to embrace our core values of commitment, integrity and openness, while always working as a team to achieve optimum profitability for the company. What we are looking for:Calendars. Com is seeking a dynamic eCommerce Technical Manager who is passionate about reaching objectives and goals. This role will report directly to the VP of IS and will have open communications daily with a collaborative team of professionals. The successful candidate must demonstrate strong attention to detail, have excellent organizational skills, and possess in-depth knowledge of eCommerce support. This person will be responsible for the technical operations and oversight of the eCommerce platform for Calendars.com suite of websites.Essential Responsibilities and Duties:· Responsible for ensuring that the design & engineering of a Point of Sale application· High degree of focus will be on performance and customer satisfaction· Ensure that key operational aspects such as monitoring, documentation, etc. are available, functional and kept up to date· Substantial interaction, coordination and management of key partners and vendors· Management of efforts around security, PCI· Manage the production releases, approving the application developers code changes and coordinating deployments to stage and production systems· From time-to- time, key off-hours support required during peak periods of the retail calendar, including holidays· Provide oversite and guidance for off site developers when usedQualifications:· 10+ years experience· Bachelor’s Degree in computer science or other technical degrees· Experience working with multiple platforms· Experience with RESTful web services, Micro services and Api-First Architecture· Experience with C#· Experience with relational databases and SQL. MS-SQL Server preferred· Experience with root-cause analysis and troubleshooting infrastructure issues· Experience with software configuration management tools. Git/Bit Bucket preferred· History of demonstrated thoroughness and quality towards assigned tasks/goals· Ability to work with various stakeholders and effectively communicate techWhy work here? Great People and Great Perks!Benefits and perks· Medical, Dental, Vison, Life Insurance, Short Term & Long Term Disability· Employee Assistance Program (EAP)· Bonus opportunities· Very relaxed dress code· Strong 401K Match· Generous PTO program· Birthday day off· Paid Maternity Leave· Other fun perks· Great working environment and team· Option of working remotely or coming into the office This job description has been designed to indicate the general nature and level of work performed by employees within this position. The actual duties, responsibilities, and qualification may vary based on assignment.Go! Calendar Holdings, LLC is an equal opportunity employer and does not discriminate against individuals on the basis of race, gender, age, national origin, religion, marital status, veteran status, or sexual orientation.\"\r\n" + }, + { + "name": "JSON Example", + "originalRequest": { + "method": "POST", + "header": [], + "body": { + "mode": "raw", + "raw": "{\r\n /* required */\r\n \"site_type\": [\"linkedin\", \"indeed\", \"zip_recruiter\"], // linkedin / indeed / zip_recruiter\r\n \"search_term\": \"software engineer\",\r\n\r\n // optional (if there's issues: try broader queries, else: submit issue)\r\n \"location\": \"austin, tx\",\r\n \"distance\": 20,\r\n \"job_type\": \"fulltime\", // fulltime, parttime, internship, contract\r\n \"is_remote\": false,\r\n \"easy_apply\": false, // linkedin only\r\n \"results_wanted\": 5, // for each site,\r\n\r\n\r\n \"output_format\": \"json\" // json, csv\r\n}", "options": { "raw": { "language": "json" @@ -186,7 +245,7 @@ "header": [ { "key": "date", - "value": "Sat, 26 Aug 2023 19:35:11 GMT" + "value": "Sun, 27 Aug 2023 21:14:05 GMT" }, { "key": "server", @@ -194,7 +253,7 @@ }, { "key": "content-length", - "value": "53456" + "value": "69882" }, { "key": "content-type", @@ -202,7 +261,7 @@ } ], "cookie": [], - "body": "[\n {\n \"success\": true,\n \"error\": null,\n \"jobs\": [\n {\n \"title\": \"Software Engineer 1\",\n \"company_name\": \"Public Partnerships | PPL\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3690013792\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Public Partnerships LLC supports individuals with disabilities or chronic illnesses and aging adults, to remain in their homes and communities and “self” direct their own long-term home care. Our role as the nation’s largest and most experienced Financial Management Service provider is to assist those eligible Medicaid recipients to choose and pay for their own support workers and services within their state-approved personalized budget. We are appointed by states and managed healthcare organizations to better serve more of their residents and members requiring long-term care and ensure the efficient use of taxpayer funded services.Our culture attracts and rewards people who are results-oriented and strive to exceed customer expectations. We desire motivated candidates who are excited to join our fast-paced, entrepreneurial environment, and who want to make a difference in helping transform the lives of the consumers we serve. (learn more at www.publicpartnerships.com )Duties & Responsibilities Plans, develops, tests, documents, and implements software according to specifications and industrybest practices. Converts functional specifications into technical specifications suitable for code development. Works with Delivery Manager to evaluate user’s requests for new or modified computer programs todetermine feasibility, cost and time required, compatibility with current system, and computercapabilities. Follows coding and documentation standards. Participate in code review process. Collaborates with End Users to troubleshoot IT questions and generate reports. Analyzes, reviews, and alters program to increase operating efficiency or adapt to new requirementsRequired Skills System/application design, web, and client-server technology. Excellent communication skills and experience working with non-technical staff to understandrequirements necessary.QualificationsEducation & Experience:Relevant Bachelor’s degree required with a computer science, software engineering or information systems major preferred.0-2 years of relevant experience preferred. Demonstrated experience in Microsoft SQL server, Experience working with .NET Technologies and/or object-oriented programming languages. Working knowledge of object-oriented languageCompensation & Benefits401k Retirement PlanMedical, Dental and Vision insurance on first day of employmentGenerous Paid Time OffTuition & Continuing Education Assistance ProgramEmployee Assistance Program and more!The base pay for this role is between $85,000 to $95,000; base pay may vary depending on skills, experience, job-related knowledge, and location. Certain positions may also be eligible for a performance-based incentive as part of total compensation.Public Partnerships is an Equal Opportunity Employer dedicated to celebrating diversity and intentionally creating a culture of inclusion. We believe that we work best when our employees feel empowered and accepted, and that starts by honoring each of our unique life experiences. At PPL, all aspects of employment regarding recruitment, hiring, training, promotion, compensation, benefits, transfers, layoffs, return from layoff, company-sponsored training, education, and social and recreational programs are based on merit, business needs, job requirements, and individual qualifications. We do not discriminate on the basis of race, color, religion or belief, national, social, or ethnic origin, sex, gender identity and/or expression, age, physical, mental, or sensory disability, sexual orientation, marital, civil union, or domestic partnership status, past or present military service, citizenship status, family medical history or genetic information, family or parental status, or any other status protected under federal, state, or local law. PPL will not tolerate discrimination or harassment based on any of these characteristics.PPL does not discriminate based on race, color, religion, or belief, national, social, or ethnic origin, sex, gender identity and/or expression, age, physical, mental, or sensory disability, sexual orientation, marital, civil union, or domestic partnership status, protected veteran status, citizenship status, family medical history or genetic information, family or parental status, or any other status protected under federal, state, or local law.\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-07-31T00:00:00\"\n },\n {\n \"title\": \"Full Stack Software Engineer\",\n \"company_name\": \"The Boring Company\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3601460527\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"The Boring Company was founded to solve the problem of soul-destroying traffic by creating an underground network of tunnels. Today, we are creating the technology to increase tunneling speed and decrease costs by a factor of 10 or more with the ultimate goal of making Hyperloop adoption viable and enabling rapid transit across densely populated regions.As a Full-Stack Software Engineer you will be responsible for helping build automation and application software for the next generation of tunnel boring machines (TBM), used to build new underground transportation systems and Hyperloops. This role will primarily be focused on designing and implementing tools to operate, analyze and control The Boring Company's TBMs. Within this role, you will have wide exposure to the overall system architecture.ResponsibilitiesSupport software engineering & controls team writing code for tunnel boring machineDesign and implement tunnel boring HMIsOwnership of data pipelineVisualize relevant data for different stakeholders using dashboards (e.g., Grafana)Support and improve built pipelineBasic QualificationsBachelor’s Degree in Computer Science, Software Engineering, or equivalent fieldExperience developing software applications in Python, C++ or similar high-level languageDevelopment experience in JavaScript, CSS and HTMLFamiliar with using SQL and NoSQL (time series) databasesExperience using git or similar versioning tools for developmentAbility and motivation to learn new skills rapidlyCapable of working with imperfect informationPreferred Skills and ExperienceExcellent communication and teamwork skillsExperience in designing and testing user interfacesKnowledge of the protocols HTTP and MQTTExperience using and configuring CI/CD pipelines and in writing unit testsExperience working in Windows and Linux operating systemsWork experience in agile teams is a plusAdditional RequirementsAbility to work long hours and weekends as necessaryReporting Location: Bastrop, Texas - HeadquartersCultureWe're a team of dedicated, smart, and scrappy people. Our employees are passionate about our mission and determined to innovate at every opportunity.BenefitsWe offer employer-paid medical, dental, and vision coverage, a 401(k) plan, paid holidays, paid vacation, and a competitive amount of equity for all permanent employees.The Boring Company is an Equal Opportunity Employer; employment with The Boring Company is governed on the basis of merit, competence and qualifications and will not be influenced in any manner by race, color, religion, gender, national origin/ethnicity, veteran status, disability status, age, sexual orientation, gender identity, marital status, mental or physical disability or any other legally protected status.\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-04-18T00:00:00\"\n },\n {\n \"title\": \"Front End Developer\",\n \"company_name\": \"Payment Approved\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3667178581\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Front-End Developer Austin, TX Who We Are:At Payment Approved, we believe that the key to global money movement is a trusted network that emphasizes safety, security, cost-effectiveness, and accessibility. Our mission is to build the most trusted, comprehensive money movement network for every country, and human, in the world.We bridge the technology gap through financial tools that help businesses access an end-to-end solution for faster, simpler, and more secure payments and money movement around the world.The team at Payment Approved has decades of experience across technology, compliance, and financial services. We are financial and digitization leaders, working together to build an end-to-end solution for simple, secure, and safe money movement around the world.What You’ll Do:Be responsible for building out the Payment Approved Business Portal, our web application that allows our customers to onboard onto our services and products, and to review all of the payment transactions they execute with Payment ApprovedWork within a cross-functional scrum team focused on a given set of features and services in a fast-paced agile environmentCare deeply about code craftsmanship and qualityBring enthusiasm for using the best practices of scalability, accessibility, maintenance, observability, automation testing strategies, and documentation into everyday developmentAs a team player, collaborate effectively with other engineers, product managers, user experience designers, architects, and quality engineers across teams in translating product requirements into excellent technical solutions to delight our customersWhat You’ll Bring:Bachelor’s degree in Engineering or a related field3+ years of experience as a Front-End Developer, prior experience working on small business tools, payments or financial services is a plus2+ years of Vue.js and Typescript experience HTML5, CSS3, JavaScript (with knowledge of ES6), JSON, RESTFUL APIs, GIT, and NodeJS experience is a plusAdvanced organizational, collaborative, inter-personal, written and verbal communication skillsMust be team-oriented with an ability to work independently in a collaborative and fast-paced environmentWhat We Offer:Opportunity to join an innovative company in the FinTech space Work with a world-class team to develop industry-leading processes and solutions Competitive payFlexible PTOMedical, Dental, Vision benefitsPaid HolidaysCompany-sponsored eventsOpportunities to advance in a growing companyAs a firm, we are young, but mighty. We’re a certified VISA Direct FinTech, Approved Fast Track Program participant. We’re the winner of the IMTC 2020 RemTECH Awards. We’re PCI and SOC-2 certified. We operate in 15 countries. Our technology is cutting-edge, and our amazing team is what makes the difference between good and great. We’ve done a lot in the six years we’ve been around, and this is only the beginning.As for 2021, we have our eyes fixed: The money movement space is moving full speed ahead. We aim to help every company, in every country, keep up with its pace. Come join us in this objective!Powered by JazzHROPniae0WXR\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-06-22T00:00:00\"\n },\n {\n \"title\": \"Junior Software Engineer\",\n \"company_name\": \"CAMP Systems International, Inc.\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3694459261\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"CAMP Systems is the leading provider of aircraft compliance and health management services to the global business aviation industry. CAMP is the pre-eminent brand in its industry and is the exclusive recommended service provider for nearly all business aircraft manufacturers in the world. Our services are delivered through a “SaaS plus” model and we support over 20,000 aircraft on our maintenance tracking platform and over 31,000 engines on our engine health monitoring platform. Additionally, CAMP provides shop floor management ERP systems to over 1,300 aircraft maintenance facilities and parts suppliers around the world. CAMP has grown from a single location company in 2001, to over 1,000 employees in 13 locations around the world.CAMP’s relationships with business aircraft manufacturers, aircraft maintenance facilities, and parts suppliers place it in a unique position to understand how current offline information flows in the business aviation industry to introduce friction to the global market for business aviation parts and services. CAMP is building a digital business that will streamline the exchange of parts and services and create substantial value for both CAMP and the aviation industry at large.CONTINUUM Applied Technology, a division of CAMP, is the provider of the CORRIDOR software suite, which is one of the most widely used ERP systems for business aviation aircraft service centers. The CORRIDOR software suite is comprised of several modules, designed to enable aircraft service centers to manage almost every aspect of their business.CAMP is an exciting company to work for, not only because of its future growth prospects, but also because of its culture. Smart, motivated people, who want to take initiative, are given the opportunity and freedom to make things happen. CAMP is part of the Hearst Business Media portfolio.Job SummaryContinuum Applied Technology, a CAMP Systems Company, is in search of a Jr. Software Engineer with the motivation to deliver solutions that drive customer success. In this role you will be joining one of the teams charged with the goal of evolving and extending our technology to create our next generation platform. We leverage Microsoft technologies heavily and are delivering our interfaces of the future in Angular, it is important that you are well versed in full stack development and are comfortable creating all layers of the application from DB through UI.Our ideal candidate is decisive, likes to solve problems, is a critical and creative thinker, able to work across diverse teams within the organization, and is known for being a strong team player.Our culture represents collaboration, acceptance, diversity, and an environment that rewards exceptional performance through promotional and compensation opportunities.ResponsibilitiesDevelop software that meets design, architecture, and coding standardsCreate automated testing applications, harnesses, and unit testsAssist with feature specificationsAggressively recognizes and pursues architecture and design improvements.Suggests and participates in evaluation of tools to improve development results.Stay up to date on latest technologies, tools and software solutions and collaborate with others on how to leverage them.RequirementsBS/BA in Computer Science or a related and or proven experience as a software engineerExperience in software design and architecture; experience in software design and architecture of scalable enterprise software a plusSolid understanding of design patterns, objected-oriented design, service-oriented architecture, and architectural principlesExperience with .Net, C#, C++, and JavaScript frameworksExperience in designing relational database schemasStrong communication, organizational skillsProven ability to work in a collaborative environmentEqual Employment OpportunityCAMP is committed to creating a diverse environment and is proud to be an affirmative action and equal opportunity employer. We understand the value of diversity and its impact on a high-performance culture. All qualified applicants will receive consideration for employment without regard to race, color, religion, sex, disability, age, sexual orientation, gender identity, national origin, veteran status, or genetic information.CAMP is committed to providing access, equal opportunity and reasonable accommodation for individuals with disabilities in employment, its services, programs, and activities. To request reasonable accommodation, please contact hr@campsystems.com.All qualified applicants will receive consideration for employment without regard to race, color, religion, gender, national origin, age, sexual orientation, gender identity, disability or veteran status EOE\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-08-14T00:00:00\"\n },\n {\n \"title\": \"Software Engineer - AI Training (Remote Work)\",\n \"company_name\": \"Remotasks\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3676403269\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Seeking talented coders NOW! Be part of the artificial intelligence (AI) revolution. Flexible hours - work when you want, where you want!If you are great at solving competitive coding challenges (Codeforces, Sphere Online Judge, Leetcode, etc.), this may be the perfect opportunity for you.About RemotasksRemotasks makes it easy to earn extra income and contribute to building artificial intelligence tools. Since 2017, over 240,000 taskers have contributed to training AI models to be smarter, faster, and safer through flexible work on Remotasks.When you work on Remotasks, you'll get full control over when, where and how much you work. We'll teach you how to complete projects that leverage your coding expertise on the platform.ResponsibilitiesWe have partnered with organizations to train AI LLMs. You'll help to create training data so generative AI models can write better code.For each coding problem, you will:Write the solution in codeWrite test cases to confirm your code worksWrite a summary of the problemWrite an explanation of how your code solve the problem and why the approach is soundNo previous experience with AI necessary! You will receive detailed instructions to show you how to complete tasks after you complete the application and verification process.Qualifications and requirements:Bachelor's degree in Computer Science or equivalent. Students are welcome. Proficiency working with any of the the following: Python, Java, JavaScript / TypeScript, SQL, C/C++/C# and/or HTML. Nice to have (bonus languages): Swift, Ruby, Rust, Go, NET, Matlab, PHP, HTML, DART, R and ShellComplete fluency in the English language is required. You should be able to describe code and abstract information in a clear way. This opportunity is open to applicants in the United States, Canada, UK, New Zealand, Australia, Mexico, Argentina, and IndiaWhat To Expect For Your Application ProcessOnce you click to apply, you'll be taken to Remotask's application page. Easily sign up with your Gmail account. Answer a few questions about your education and background, and review our pay and security procedures. Verify your identity. Follow the steps on the screen to confirm your identity. We do this to make sure that your account belongs to you. Complete our screening exams, we use this to confirm your English proficiency and show you some examples of the tasks you'll complete on our platform. The benefits of working with Remotask:Get the pay you earn quickly - you will get paid weeklyEarn incentives for completing your first tasks and working moreWork as much or as little as you likeAccess to our support teams to help you complete your application, screening and tasksEarn referral bonuses by telling your friends about us. Pay: equivalent of $25-45 per hourPLEASE NOTE: We collect, retain and use personal data for our professional business purposes, including notifying you of job opportunities that may be of interest. We limit the personal data we collect to that which we believe is appropriate and necessary to manage applicants' needs, provide our services, and comply with applicable laws. Any information we collect in connection with your application will be treated in accordance with our internal policies and programs designed to protect personal data.\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-07-27T00:00:00\"\n }\n ],\n \"total_results\": 2000,\n \"returned_results\": 5\n },\n {\n \"success\": true,\n \"error\": null,\n \"jobs\": [\n {\n \"title\": \"Full Stack Developer\",\n \"company_name\": \"Concordia Systems\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=b1f3f8b060ac8eff\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": \"78701\",\n \"address\": null\n },\n \"description\": \"Join Concordia, a leading blockchain/fintech company that is revolutionizing capital efficiency and risk. Our mission at Concordia is to make crypto assets universally accepted and useful. As we continue to build innovative products and services, we are looking for a talented Full Stack Engineer to join our team and help shape our ambitious future. About Us: Concordia is a universal collateral management platform unlocking capital efficiencies and scalability in DeFi with a dynamic risk framework and API-first approach. We want to make it easier for users to access and manage cross-chain liquidity and collateral. Responsibilities: Develop and maintain full-stack web applications, contributing to the ongoing enhancement of our crypto product offerings. Contribute to the team's roadmap and deliver high-quality projects that align with our mission of democratizing crypto. Apply technical leadership and expertise to drive engineering excellence and improve the quality of our products and systems. Collaborate with engineering managers to refine and improve processes and systems for product development. Requirements: 3+ years of experience as a Full Stack Web Developer, demonstrating a strong track record of delivering high-quality applications. Proficiency in full-stack Typescript (React, Express) with a deep understanding of collaborative development methodologies Ability to collaborate effectively with product managers and cross-functional teams to drive roadmap goals. Demonstrated accountability, independence, and ownership in delivering impactful projects. Excellent technical skills and the ability to architect technical solutions. Strong written and verbal communication skills. Experience in the finance industry is a plus, showcasing your understanding of financial systems and markets. Able to spend at least one third of your time in Austin staying at the company hacker house. Bonus Points: Experience with cryptocurrency trading and blockchain technologies. Proficiency in Rust, Python, SQL, or Solidity Familiarity with financial engineering Perks and Compensation: Competitive salary based on experience and qualifications. Comprehensive benefits package. Opportunity to work in a fast-paced, collaborative, and inclusive environment. Potential participation in equity programs. Job Type: Full-time Pay: $80,000.00 - $130,000.00 per year Benefits: Dental insurance Flexible schedule Flexible spending account Health insurance Health savings account Life insurance Paid time off Vision insurance Schedule: 8 hour shift Experience: Full-stack development: 2 years (Required) TypeScript: 1 year (Preferred) Ability to Commute: Austin, TX 78702 (Required) Work Location: Hybrid remote in Austin, TX 78702\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 130000,\n \"max_amount\": 80000,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-08-23T00:00:00\"\n },\n {\n \"title\": \"Software Engineer\",\n \"company_name\": \"INTEL\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=a2cfbb98d2002228\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Job Description Designs, develops, tests, and debugs software tools, flows, PDK design components, and/or methodologies used in design automation and by teams in the design of hardware products, process design, or manufacturing. Responsibilities include capturing user stories/requirements, writing both functional and test code, automating build and deployment, and/or performing unit, integration, and endtoend testing of the software tools. #DesignEnablement Qualifications Minimum qualifications are required to be initially considered for this position. Preferred qualifications are in addition to the minimum requirements and are considered a plus factor in identifying top candidates. Minimum Qualifications: Candidate must possess a BS degree with 6+ years of experience or MS degree with 4+ years of experience or PhD degree with 2+ years of experience in Computer Engineering, EE, Computer Science, or relevant field. 3+ years of experience in the following: Database structure and algorithms. C or C++ software development. Scripting in Perl or Python or TCL. ICV-PXL or Calibre SVRF or Physical Verification runset code development. Preferred Qualifications: 3+ years of experience in the following: Agile/Test-Driven Development. Semiconductor Devices, device physics or RC Extraction. RC Modeling or Electrostatics or Field Solver development Inside this Business Group As the world's largest chip manufacturer, Intel strives to make every facet of semiconductor manufacturing state-of-the-art - from semiconductor process development and manufacturing, through yield improvement to packaging, final test and optimization, and world class Supply Chain and facilities support. Employees in the Technology Development and Manufacturing Group are part of a worldwide network of design, development, manufacturing, and assembly/test facilities, all focused on utilizing the power of Moore’s Law to bring smart, connected devices to every person on Earth. Other Locations US, TX, Austin; US, CA, Folsom; US, CA, Santa Clara Covid Statement Intel strongly encourages employees to be vaccinated against COVID-19. Intel aligns to federal, state, and local laws and as a contractor to the U.S. Government is subject to government mandates that may be issued. Intel policies for COVID-19 including guidance about testing and vaccination are subject to change over time. Posting Statement All qualified applicants will receive consideration for employment without regard to race, color, religion, religious creed, sex, national origin, ancestry, age, physical or mental disability, medical condition, genetic information, military and veteran status, marital status, pregnancy, gender, gender expression, gender identity, sexual orientation, or any other characteristic protected by local law, regulation, or ordinance. Benefits We offer a total compensation package that ranks among the best in the industry. It consists of competitive pay, stock, bonuses, as well as, benefit programs which include health, retirement, and vacation. Find more information about all of our Amazing Benefits here: https://www.intel.com/content/www/us/en/jobs/benefits.html Annual Salary Range for jobs which could be performed in US, California: $139,480.00-$209,760.00 Salary range dependent on a number of factors including location and experience Working Model This role will be eligible for our hybrid work model which allows employees to split their time between working on-site at their assigned Intel site and off-site. In certain circumstances the work model may change to accommodate business needs. JobType Hybrid\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 209760,\n \"max_amount\": 139480,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-08-18T00:00:00\"\n },\n {\n \"title\": \"Software Engineering Manager\",\n \"company_name\": \"Emergent Software\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=de11ca8d94b7483d\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"** This is a direct hire position for one of our clients. This position is a fully remote role. Candidates must be able to work in the US without sponsorship.** We are currently seeking a highly skilled and experienced Software Engineering Manager for our client to join their dynamic and innovative team. As the Software Engineering Manager, you will play a pivotal role in leading and driving their web-based software development projects to success. Your expertise will be instrumental in fostering a collaborative and forward-thinking team environment, where creativity and technical excellence thrive. Responsibilities: Lead and guide a team of talented engineers in the development of high-quality web-based software products. Foster a collaborative and innovative team culture, encouraging open communication and knowledge-sharing. Coach and mentor engineers, providing regular feedback on performance and supporting their career development. Streamline the software development lifecycle, identifying areas for improvement, and implementing effective solutions. Collaborate with product managers, designers, and stakeholders to define project scope, objectives, and deliverables. Ensure technical excellence, upholding best practices and coding standards throughout the development process. Stay informed about industry trends, tools, and technologies, and proactively bring new ideas to the team. Qualifications: Minimum of five years of experience in web-based software development within a team environment. Proven track record of leading cross-functional, self-enabled team(s) to successful project outcomes. Ability to coach and mentor engineers, supporting their growth and enhancing team performance. Demonstrated experience optimizing the SDLC of teams, driving efficiency, and improving effectiveness. Strong problem-solving skills and the ability to bring clarity from complexity even with incomplete information. Excellent verbal and written communication skills, enabling effective collaboration and understanding. Self-motivated with the ability to work independently while guiding your team towards shared objectives. Solid understanding of C#, ASP.NET, and SQL, with a history of successful projects using these technologies. Experience in architecting solutions, ensuring scalability, reliability, and maintainability of web-based applications. Proficiency in JavaScript and familiarity with a front-end framework like React. Knowledge of Agile methodologies, Kanban, and CI/CD practices, fostering a culture of continuous improvement. Our Vetting Process At Emergent Software, we work hard to find the software engineers who are the right fit for our clients. Here are the steps of our vetting process for this position: Application (5 minutes) Online Assessment & Short Algorithm Challenge (40-60 minutes) Initial Phone Interview (30-45 minutes) 3 Interviews with the Client Job Offer! Job Type: Full-time Pay: $120,000.00 - $140,000.00 per year Benefits: 401(k) Dental insurance Health insurance Schedule: 8 hour shift Monday to Friday Work Location: Remote\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 140000,\n \"max_amount\": 120000,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-08-23T00:00:00\"\n },\n {\n \"title\": \"Junior Software Engineer\",\n \"company_name\": \"Vetro Tech Inc\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=81f93e5660892a99\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"We are looking for an enthusiastic junior software developer to join our experienced software design team. Your primary focus will be to learn the codebase, gather user data, and respond to requests from senior developers. Visa sponsorship available if required, Training available if required Remote Jobs available Candidate must be eligible for visa filling To ensure success as a junior software developer, you should have a good working knowledge of basic programming languages, the ability to learn new technology quickly, and the ability to work in a team environment. Ultimately, a top-class Junior Software Developer provides valuable support to the design team while continually improving their coding and design skills.Junior Software Developer Responsibilities: Attending and contributing to company development meetings. Learning the codebase and improving your coding skills. Writing and maintaining code. Working on minor bug fixes. Monitoring the technical performance of internal systems. Responding to requests from the development team. Gathering information from consumers about program functionality. Junior Software Developer Requirements: * Bachelor’s degree in computer science. Knowledge of basic coding languages including C++, HTML5, and JavaScript. Knowledge of databases and operating systems. Good working knowledge of email systems and Microsoft Office software. Ability to learn new software and technologies quickly. Ability to follow instructions and work in a team environment. Job Type: Full-time Salary: $84,000.00 - $98,000.00 per year Schedule: Monday to Friday Work Location: Remote\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 98000,\n \"max_amount\": 84000,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-07-28T00:00:00\"\n },\n {\n \"title\": \"Front End Developer\",\n \"company_name\": \"Rise Technical Recruitment Limited\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=657549cb86b7b7ad\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Senior Frontend Developer Austin - Texas (On-site) Salary - $175,000 - $200,000 + Medical and Dental (full cost covered) + 401K + PTO + $3,000 for office equipment. Are you a Senior Front-end Developer looking to work for an exciting start-up company with excellent hands on training and structured progression? On offer is a long term permanent role working for a rapidly growing company with an excellent facility and opportunity to develop your technical skillset and grow into executive positions. My client are an exciting start-up in the renewable energy sector, looking to create the industry's best value in energy storage and hybrid controls. As a Senior Front-end Developer you will be required to develop and create real-time charts to enhance user experience and efficiently operate data streaming charts based on AWS serverless architectures. You will be required to build, design and deploy applications in node.js and react. You will also be a technical expert on the Web UI front end. This is a great opportunity for a Senior Front-end Developer to join an exciting, high growth company who will support career development and offer structured career progression. The Person: Expertise in frontend applications implemented in React. Expertise in HTML, CSS and JavaScript. Experience creating real-time charts (data streaming charts) Responsibilities: Participate and lead meetings on web development architecture and planning. Create and develop real-time charts (data streaming charts) Develop complex designs to include all requisite documentation such as test plans, quality audits, live updates and scalability. Reference Number: BBBH193061 To apply for this role or to be considered for further roles, please click \\\"Apply Now\\\" or contact Ben Herridge at Rise Technical Recruitment. Rise Technical Recruitment Ltd acts an employment agency for permanent roles and an employment business for temporary roles. The salary advertised is the bracket available for this position. The actual salary paid will be dependent on your level of experience, qualifications and skill set. We are an equal opportunities employer and welcome applications from all suitable candidates.\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 200000,\n \"max_amount\": 175000,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-08-15T00:00:00\"\n }\n ],\n \"total_results\": 927,\n \"returned_results\": 5\n },\n {\n \"success\": true,\n \"error\": null,\n \"jobs\": [\n {\n \"title\": \"Senior Software Engineer\",\n \"company_name\": \"Macpower Digital Assets Edge (MDA Edge)\",\n \"job_url\": \"https://www.ziprecruiter.com/jobs/macpower-digital-assets-edge-mda-edge-3205cee9/senior-software-engineer-59332966?lvk=wEF8NWo_yJghc-buzNmD7A.--N2aWoMMcN&zrclid=d6f0184f-aac4-4b31-9e5c-e0fc29f7aa94\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Job Summary: As a senior software engineer, you will be a key player in building and contributing to our platform and product roadmap, shaping our technology strategy, and mentoring talented engineers. You are motivated by being apart of effective engineering teams and driven to roll up your sleeves and dive into code when necessary. Being hands on with code is critical for success in this role. 80-90% of time will be spent writing actual code. Our engineering team is hybrid and meets in-person (Austin, TX) 1-2 days a week. Must haves: Background: 5+ years in software engineering with demonstrated success working for fast-growing companies. Success in building software from the ground up with an emphasis on architecture and backend programming. Experience developing software and APIs with technologies like TypeScript, Node.js, Express, NoSQL databases, and AWS. Nice to haves: Domain expertise: Strong desire to learn and stay up-to-date with the latest user-facing security threats and attack methods. Leadership experience is a plus. 2+ years leading/managing teams of engineers. Ability to set and track goals with team members, delegate intelligently. Project management: Lead projects with a customer-centric focus and a passion for problem-solving.\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 140000,\n \"max_amount\": 140000,\n \"currency\": \"US\"\n },\n \"date_posted\": \"2023-07-21T09:17:19+00:00\"\n },\n {\n \"title\": \"Software Developer II (Web-Mobile) - Remote\",\n \"company_name\": \"Navitus Health Solutions LLC\",\n \"job_url\": \"https://www.ziprecruiter.com/jobs/navitus-health-solutions-llc-1a3cba76/software-developer-ii-web-mobile-remote-aa2567f2?lvk=NKzmQn2kG7L1VJplTh5Cqg.--N2aTr3mbB&zrclid=7ce5dbd1-954a-4b1e-9710-2926a4d2943b\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Putting People First in Pharmacy- Navitus was founded as an alternative to traditional pharmacy benefit manager (PBM) models. We are committed to removing cost from the drug supply chain to make medications more affordable for the people who need them. At Navitus, our team members work in an environment that celebrates diversity, fosters creativity and encourages growth. We welcome new ideas and share a passion for excellent service to our customers and each other. The Software Developer II ensures efforts are in alignment with the IT Member Services to support customer-focused objectives and the IT Vision, a collaborative partner delivering innovative ideas, solutions and services to simplify people’s lives. The Software Developer II’s role is to define, develop, test, analyze, and maintain new software applications in support of the achievement of business requirements. This includes writing, coding, testing, and analyzing software programs and applications. The Software Developer will also research, design, document, and modify software specifications throughout the production life cycle.Is this you? Find out more below! How do I make an impact on my team?Collaborate with developers, programmers, and designers in conceptualizing and development of new software programs and applications.Analyze and assess existing business systems and procedures.Design, develop, document and implement new applications and application enhancements according to business and technical requirementsAssist in defining software development project plans, including scoping, scheduling, and implementation.Conduct research on emerging application development software products, languages, and standards in support of procurement and development efforts.Liaise with internal employees and external vendors for efficient implementation of new software products or systems and for resolution of any adaptation issues.Recommend, schedule, and perform software improvements and upgrades.Write, translate, and code software programs and applications according to specifications.Write programming scripts to enhance functionality and/or performance of company applications as necessary.Design, run and monitor software performance tests on new and existing programs for the purposes of correcting errors, isolating areas for improvement, and general debugging to deliver solutions to problem areas.Generate statistics and write reports for management and/or team members on the status of the programming process.Develop and maintain user manuals and guidelines and train end users to operate new or modified programs.Install software products for end users as required.Responsibilities (working knowledge of several of the following):Programming LanguagesC#HTML/HTML5CSS/CSS3JavaScriptAngularReact/NativeRelation DB development (Oracle or SQL Server) Methodologies and FrameworksASP.NET CoreMVCObject Oriented DevelopmentResponsive Design ToolsVisual Studio or VSCodeTFS or other source control softwareWhat our team expects from you? College diploma or university degree in the field of computer science, information systems or software engineering, and/or 6 years equivalent work experienceMinimum two years of experience requiredPractical experience working with the technology stack used for Web and/or Mobile Application developmentExcellent understanding of coding methods and best practices.Experience interviewing end-users for insight on functionality, interface, problems, and/or usability issues.Hands-on experience developing test cases and test plans.Healthcare industry practices and HIPAA knowledge would be a plus.Knowledge of applicable data privacy practices and laws.Participate in, adhere to, and support compliance program objectivesThe ability to consistently interact cooperatively and respectfully with other employeesWhat can you expect from Navitus?Hours/Location: Monday-Friday 8:00am-5:00pm CST, Appleton WI Office, Madison WI Office, Austin TX Office, Phoenix AZ Office or RemotePaid Volunteer HoursEducational Assistance Plan and Professional Membership assistanceReferral Bonus Program – up to $750!Top of the industry benefits for Health, Dental, and Vision insurance, Flexible Spending Account, Paid Time Off, Eight paid holidays, 401K, Short-term and Long-term disability, College Savings Plan, Paid Parental Leave, Adoption Assistance Program, and Employee Assistance Program\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 75000,\n \"max_amount\": 102000,\n \"currency\": \"US\"\n },\n \"date_posted\": \"2023-07-22T00:49:06+00:00\"\n },\n {\n \"title\": \"Electrical Engineer (Mobile, AL)\",\n \"company_name\": \"Kimberly-Clark\",\n \"job_url\": \"https://kimberlyclark.wd1.myworkdayjobs.com/GLOBAL/job/USA-AL-Mobile/Electrical-Engineer--Mobile--AL-_862525-2?rx_c=electrical-engineer&rx_campaign=ziprecruiter160&rx_ch=jobp4p&rx_group=214630&rx_job=862525-2_8a500&rx_medium=cpc&rx_r=none&rx_source=ziprecruiter&rx_ts=20230826T060402Z&rx_vp=cpc&utm_campaign=chicago&utm_medium=cpc&utm_source=ZipRecruiter&rx_p=f3a8e4a1-6d47-4351-bd43-325b1f80fc50&rx_viewer=ad6f8e77444711eeb34ba3fb1780a4594559bc10e1c0498ab344c99a97ff19f6\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Understand fundamentals of hardware and software standards, development and management, and ... Engineer (Mechanical and Electrical) systems designs into manufacturing and converting equipment to ...\",\n \"job_type\": \"fulltime\",\n \"compensation\": null,\n \"date_posted\": \"2023-08-04T00:04:33+00:00\"\n },\n {\n \"title\": \"Software Engineer\",\n \"company_name\": \"Calendars.com\",\n \"job_url\": \"https://www.ziprecruiter.com/jobs/calendars-com-50c4d302/software-engineer-479a2bcc?lvk=5aHFAgPmAhfNwvOvvouWGQ.--N2abyqKoR&zrclid=8acb1e33-a7f5-45d1-b791-f37bbd5551b8\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Who we are:Calendar Holdings, LLC, based in Austin, Texas, is the parent company to several retail brands, including Calendars.com, Go! Games & Toys, and Attic Salt. Calendar Holdings is the world’s largest operator of holiday pop-up stores and operate nearly a thousand stores in malls, outlets, shopping centers, and lifestyle centers across the United States under Go! Calendars, Go! Games, and Go! Toys brands. Established almost 30 years ago, we still operate with a “start-up” mentality where ideas flourish and new paths arise. This is a great opportunity to jumpstart your professional career while getting to work alongside intelligent, like-minded people. Our team is highly collaborative, motivated, nimble, and dedicated to optimize the business . . . not because they have to, but because they want to. We're serious about having fun at work, but our success is built on insight and hard work. We are dedicated to happy employees and nurturing professional growth. As part of our core values, we are committed to the highest standards of ethics and business conduct. These standards are demonstrated in our relationships with customers, supplier, competitors and the communities in which we operate, and with each other, as employees, at every organizational level. We want our employees to embrace our core values of commitment, integrity and openness, while always working as a team to achieve optimum profitability for the company. What we are looking for:Calendars. Com is seeking a dynamic eCommerce Technical Manager who is passionate about reaching objectives and goals. This role will report directly to the VP of IS and will have open communications daily with a collaborative team of professionals. The successful candidate must demonstrate strong attention to detail, have excellent organizational skills, and possess in-depth knowledge of eCommerce support. This person will be responsible for the technical operations and oversight of the eCommerce platform for Calendars.com suite of websites.Essential Responsibilities and Duties:· Responsible for ensuring that the design & engineering of a Point of Sale application· High degree of focus will be on performance and customer satisfaction· Ensure that key operational aspects such as monitoring, documentation, etc. are available, functional and kept up to date· Substantial interaction, coordination and management of key partners and vendors· Management of efforts around security, PCI· Manage the production releases, approving the application developers code changes and coordinating deployments to stage and production systems· From time-to- time, key off-hours support required during peak periods of the retail calendar, including holidays· Provide oversite and guidance for off site developers when usedQualifications:· 10+ years experience· Bachelor’s Degree in computer science or other technical degrees· Experience working with multiple platforms· Experience with RESTful web services, Micro services and Api-First Architecture· Experience with C#· Experience with relational databases and SQL. MS-SQL Server preferred· Experience with root-cause analysis and troubleshooting infrastructure issues· Experience with software configuration management tools. Git/Bit Bucket preferred· History of demonstrated thoroughness and quality towards assigned tasks/goals· Ability to work with various stakeholders and effectively communicate techWhy work here? Great People and Great Perks!Benefits and perks· Medical, Dental, Vison, Life Insurance, Short Term & Long Term Disability· Employee Assistance Program (EAP)· Bonus opportunities· Very relaxed dress code· Strong 401K Match· Generous PTO program· Birthday day off· Paid Maternity Leave· Other fun perks· Great working environment and team· Option of working remotely or coming into the office This job description has been designed to indicate the general nature and level of work performed by employees within this position. The actual duties, responsibilities, and qualification may vary based on assignment.Go! Calendar Holdings, LLC is an equal opportunity employer and does not discriminate against individuals on the basis of race, gender, age, national origin, religion, marital status, veteran status, or sexual orientation.\",\n \"job_type\": \"fulltime\",\n \"compensation\": null,\n \"date_posted\": \"2023-08-04T13:57:57+00:00\"\n },\n {\n \"title\": \"Software Developer II- remote\",\n \"company_name\": \"Navitus Health Solutions LLC\",\n \"job_url\": \"https://www.ziprecruiter.com/jobs/navitus-health-solutions-llc-1a3cba76/software-developer-ii-remote-a9ff556a?lvk=Oz2MG9xtFwMW6hxOsCrtJw.--N2cr_mA0F&zrclid=b827d183-21c5-495d-88df-f195dd61cc8b\",\n \"location\": {\n \"country\": \"US\",\n \"city\": \"Austin\",\n \"state\": \"TX\",\n \"postal_code\": null,\n \"address\": null\n },\n \"description\": \"Putting People First in Pharmacy- Navitus was founded as an alternative to traditional pharmacy benefit manager (PBM) models. We are committed to removing cost from the drug supply chain to make medications more affordable for the people who need them. At Navitus, our team members work in an environment that celebrates diversity, fosters creativity and encourages growth. We welcome new ideas and share a passion for excellent service to our customers and each other. The Software Developer II ensures efforts are in alignment with the IT Health Strategies Team to support customer-focused objectives and the IT Vision, a collaborative partner delivering innovative ideas, solutions and services to simplify people’s lives. The Software Developer IIs role is to define, develop, test, analyze, and maintain new and existing software applications in support of the achievement of business requirements. This includes designing, documenting, coding, testing, and analyzing software programs and applications. The Software Developer will also research, design, document, and modify software specifications throughout the production life cycle.Is this you? Find out more below! How do I make an impact on my team?Provide superior customer service utilizing a high-touch, customer centric approach focused on collaboration and communication.Contribute to a positive team atmosphere.Innovate and create value for the customer.Collaborate with analysts, programmers and designers in conceptualizing and development of new and existing software programs and applications.Analyze and assess existing business systems and procedures.Define, develop and document software business requirements, objectives, deliverables, and specifications on a project-by-project basis in collaboration with internal users and departments.Design, develop, document and implement new applications and application enhancements according to business and technical requirements.Assist in defining software development project plans, including scoping, scheduling, and implementation.Research, identify, analyze, and fulfill requirements of all internal and external program users.Recommend, schedule, and perform software improvements and upgrades.Consistently write, translate, and code software programs and applications according to specifications.Write new and modify existing programming scripts to enhance functionality and/or performance of company applications as necessary.Liaise with network administrators, systems analysts, and software engineers to assist in resolving problems with software products or company software systems.Design, run and monitor software performance tests on new and existing programs for the purposes of correcting errors, isolating areas for improvement, and general debugging.Administer critical analysis of test results and deliver solutions to problem areas.Generate statistics and write reports for management and/or team members on the status of the programming process.Liaise with vendors for efficient implementation of new software products or systems and for resolution of any adaptation issues.Ensure target dates and deadlines for development are met.Conduct research on emerging application development software products, languages, and standards in support of procurement and development efforts.Develop and maintain user manuals and guidelines.Train end users to operate new or modified programs.Install software products for end users as required.Participate in, adhere to, and support compliance program objectives.Other related duties as assigned/required.Responsibilities (including one or more of the following):VB.NETC#APIFast Healthcare Interoperability Resources (FHIR)TelerikOracleMSSQLVisualStudioTeamFoundation StudioWhat our team expects from you? College diploma or university degree in the field of computer science, information systems or software engineering, and/or 6 years equivalent work experience.Minimum two years of experience requiredExcellent understanding of coding methods and best practices.Working knowledge or experience with source control tools such as TFS and GitHub.Experience interviewing end-users for insight on functionality, interface, problems, and/or usability issues.Hands-on experience developing test cases and test plans.Healthcare industry practices and HIPAA knowledge would be a plus.Knowledge of applicable data privacy practices and laws.Participate in, adhere to, and support compliance program objectivesThe ability to consistently interact cooperatively and respectfully with other employeesWhat can you expect from Navitus?Hours/Location: Monday-Friday remote Paid Volunteer HoursEducational Assistance Plan and Professional Membership assistanceReferral Bonus Program – up to $750!Top of the industry benefits for Health, Dental, and Vision insurance, Flexible Spending Account, Paid Time Off, Eight paid holidays, 401K, Short-term and Long-term disability, College Savings Plan, Paid Parental Leave, Adoption Assistance Program, and Employee Assistance Program\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 75000,\n \"max_amount\": 102000,\n \"currency\": \"US\"\n },\n \"date_posted\": \"2023-07-10T20:44:25+00:00\"\n }\n ],\n \"total_results\": 4141,\n \"returned_results\": 5\n }\n]" + "body": "{\n \"linkedin\": {\n \"success\": true,\n \"error\": null,\n \"jobs\": [\n {\n \"title\": \"Software Engineer 1\",\n \"company_name\": \"Public Partnerships | PPL\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3690013792\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Public Partnerships LLC supports individuals with disabilities or chronic illnesses and aging adults, to remain in their homes and communities and “self” direct their own long-term home care. Our role as the nation’s largest and most experienced Financial Management Service provider is to assist those eligible Medicaid recipients to choose and pay for their own support workers and services within their state-approved personalized budget. We are appointed by states and managed healthcare organizations to better serve more of their residents and members requiring long-term care and ensure the efficient use of taxpayer funded services.Our culture attracts and rewards people who are results-oriented and strive to exceed customer expectations. We desire motivated candidates who are excited to join our fast-paced, entrepreneurial environment, and who want to make a difference in helping transform the lives of the consumers we serve. (learn more at www.publicpartnerships.com )Duties & Responsibilities Plans, develops, tests, documents, and implements software according to specifications and industrybest practices. Converts functional specifications into technical specifications suitable for code development. Works with Delivery Manager to evaluate user’s requests for new or modified computer programs todetermine feasibility, cost and time required, compatibility with current system, and computercapabilities. Follows coding and documentation standards. Participate in code review process. Collaborates with End Users to troubleshoot IT questions and generate reports. Analyzes, reviews, and alters program to increase operating efficiency or adapt to new requirementsRequired Skills System/application design, web, and client-server technology. Excellent communication skills and experience working with non-technical staff to understandrequirements necessary.QualificationsEducation & Experience:Relevant Bachelor’s degree required with a computer science, software engineering or information systems major preferred.0-2 years of relevant experience preferred. Demonstrated experience in Microsoft SQL server, Experience working with .NET Technologies and/or object-oriented programming languages. Working knowledge of object-oriented languageCompensation & Benefits401k Retirement PlanMedical, Dental and Vision insurance on first day of employmentGenerous Paid Time OffTuition & Continuing Education Assistance ProgramEmployee Assistance Program and more!The base pay for this role is between $85,000 to $95,000; base pay may vary depending on skills, experience, job-related knowledge, and location. Certain positions may also be eligible for a performance-based incentive as part of total compensation.Public Partnerships is an Equal Opportunity Employer dedicated to celebrating diversity and intentionally creating a culture of inclusion. We believe that we work best when our employees feel empowered and accepted, and that starts by honoring each of our unique life experiences. At PPL, all aspects of employment regarding recruitment, hiring, training, promotion, compensation, benefits, transfers, layoffs, return from layoff, company-sponsored training, education, and social and recreational programs are based on merit, business needs, job requirements, and individual qualifications. We do not discriminate on the basis of race, color, religion or belief, national, social, or ethnic origin, sex, gender identity and/or expression, age, physical, mental, or sensory disability, sexual orientation, marital, civil union, or domestic partnership status, past or present military service, citizenship status, family medical history or genetic information, family or parental status, or any other status protected under federal, state, or local law. PPL will not tolerate discrimination or harassment based on any of these characteristics.PPL does not discriminate based on race, color, religion, or belief, national, social, or ethnic origin, sex, gender identity and/or expression, age, physical, mental, or sensory disability, sexual orientation, marital, civil union, or domestic partnership status, protected veteran status, citizenship status, family medical history or genetic information, family or parental status, or any other status protected under federal, state, or local law.\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-07-31T00:00:00\"\n },\n {\n \"title\": \"Front End Developer\",\n \"company_name\": \"Payment Approved\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3667178581\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Front-End Developer Austin, TX Who We Are:At Payment Approved, we believe that the key to global money movement is a trusted network that emphasizes safety, security, cost-effectiveness, and accessibility. Our mission is to build the most trusted, comprehensive money movement network for every country, and human, in the world.We bridge the technology gap through financial tools that help businesses access an end-to-end solution for faster, simpler, and more secure payments and money movement around the world.The team at Payment Approved has decades of experience across technology, compliance, and financial services. We are financial and digitization leaders, working together to build an end-to-end solution for simple, secure, and safe money movement around the world.What You’ll Do:Be responsible for building out the Payment Approved Business Portal, our web application that allows our customers to onboard onto our services and products, and to review all of the payment transactions they execute with Payment ApprovedWork within a cross-functional scrum team focused on a given set of features and services in a fast-paced agile environmentCare deeply about code craftsmanship and qualityBring enthusiasm for using the best practices of scalability, accessibility, maintenance, observability, automation testing strategies, and documentation into everyday developmentAs a team player, collaborate effectively with other engineers, product managers, user experience designers, architects, and quality engineers across teams in translating product requirements into excellent technical solutions to delight our customersWhat You’ll Bring:Bachelor’s degree in Engineering or a related field3+ years of experience as a Front-End Developer, prior experience working on small business tools, payments or financial services is a plus2+ years of Vue.js and Typescript experience HTML5, CSS3, JavaScript (with knowledge of ES6), JSON, RESTFUL APIs, GIT, and NodeJS experience is a plusAdvanced organizational, collaborative, inter-personal, written and verbal communication skillsMust be team-oriented with an ability to work independently in a collaborative and fast-paced environmentWhat We Offer:Opportunity to join an innovative company in the FinTech space Work with a world-class team to develop industry-leading processes and solutions Competitive payFlexible PTOMedical, Dental, Vision benefitsPaid HolidaysCompany-sponsored eventsOpportunities to advance in a growing companyAs a firm, we are young, but mighty. We’re a certified VISA Direct FinTech, Approved Fast Track Program participant. We’re the winner of the IMTC 2020 RemTECH Awards. We’re PCI and SOC-2 certified. We operate in 15 countries. Our technology is cutting-edge, and our amazing team is what makes the difference between good and great. We’ve done a lot in the six years we’ve been around, and this is only the beginning.As for 2021, we have our eyes fixed: The money movement space is moving full speed ahead. We aim to help every company, in every country, keep up with its pace. Come join us in this objective!Powered by JazzHROPniae0WXR\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-06-22T00:00:00\"\n },\n {\n \"title\": \"Full Stack Software Engineer\",\n \"company_name\": \"The Boring Company\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3601460527\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"The Boring Company was founded to solve the problem of soul-destroying traffic by creating an underground network of tunnels. Today, we are creating the technology to increase tunneling speed and decrease costs by a factor of 10 or more with the ultimate goal of making Hyperloop adoption viable and enabling rapid transit across densely populated regions.As a Full-Stack Software Engineer you will be responsible for helping build automation and application software for the next generation of tunnel boring machines (TBM), used to build new underground transportation systems and Hyperloops. This role will primarily be focused on designing and implementing tools to operate, analyze and control The Boring Company's TBMs. Within this role, you will have wide exposure to the overall system architecture.ResponsibilitiesSupport software engineering & controls team writing code for tunnel boring machineDesign and implement tunnel boring HMIsOwnership of data pipelineVisualize relevant data for different stakeholders using dashboards (e.g., Grafana)Support and improve built pipelineBasic QualificationsBachelor’s Degree in Computer Science, Software Engineering, or equivalent fieldExperience developing software applications in Python, C++ or similar high-level languageDevelopment experience in JavaScript, CSS and HTMLFamiliar with using SQL and NoSQL (time series) databasesExperience using git or similar versioning tools for developmentAbility and motivation to learn new skills rapidlyCapable of working with imperfect informationPreferred Skills and ExperienceExcellent communication and teamwork skillsExperience in designing and testing user interfacesKnowledge of the protocols HTTP and MQTTExperience using and configuring CI/CD pipelines and in writing unit testsExperience working in Windows and Linux operating systemsWork experience in agile teams is a plusAdditional RequirementsAbility to work long hours and weekends as necessaryReporting Location: Bastrop, Texas - HeadquartersCultureWe're a team of dedicated, smart, and scrappy people. Our employees are passionate about our mission and determined to innovate at every opportunity.BenefitsWe offer employer-paid medical, dental, and vision coverage, a 401(k) plan, paid holidays, paid vacation, and a competitive amount of equity for all permanent employees.The Boring Company is an Equal Opportunity Employer; employment with The Boring Company is governed on the basis of merit, competence and qualifications and will not be influenced in any manner by race, color, religion, gender, national origin/ethnicity, veteran status, disability status, age, sexual orientation, gender identity, marital status, mental or physical disability or any other legally protected status.\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-04-18T00:00:00\"\n },\n {\n \"title\": \"Full Stack Engineer\",\n \"company_name\": \"Method\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3625989512\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"About Method🔮 Method Financial was founded in 2021 after our founders experienced first-hand the difficulties of embedding debt repayment into their app (GradJoy). They decided to build their own embedded banking service that allows developers to easily retrieve and pay any of their users' debts – including credit cards, student loans, car loans, and mortgages – all through a single API.As a Top 10 Fintech Startup, we’re focused on providing the opportunity for ambitious and entrepreneurial individuals to have high levels of impact at the forefront of the fintech space. Continuous improvement, collaboration, and a clear mission bring us together in service of delivering the best products for our users. We are a remote-flexible team, striving to set up the best environment for everyone to be successful and we are excited to continue to grow.We recently closed a $16 million Series A funding round led by Andreessen Horowitz, with participation from Truist Ventures, Y Combinator (Method’s a Y Combinator graduate), Abstract Ventures, SV Angel and others. We're also backed by founders and leaders of Truebill, Upstart, and Goldman Sachs.We prefer this role to be located in Austin, TX (to sit closer to our technical leadership). If you're interested in relocating to Austin, TX we can offer relocation assistance as well.The ImpactAs a foundational member of the data focused engineering team, you will own projects from end-to-end, making decisions on technical and business implications. You will have autonomy over your projects with support from the team when you need it.What you'll doBuild with JavaScript across the platform. Build delightful user experiences in React and power them with a reliable backend in Node.Investigate and debug any issues using our monitoring & logging tools as well as create clear action items to resolve them.Help maintain our high technical bar by participating in code reviews and interviewing new team members.Collaborate with the rest of the team to define the roadmap by thoroughly understanding customers’ needs. Who you are2+ years of full-time software engineering experience.Experience building scalable production-level applications. (A history of excellent projects is required)Experience working with some combination of Node / JS, React (or similar framework), Postgres (or similar relational database), and MongoDB / NoSQL.You can clearly communicate the concepts or ideas behind your solutions, and cut big solutions into smaller bite-sized tasks.You can tow the line between moving fast and breaking things and moving slowly to get things right the first time. Technical debt is okay, we’ll refactor it later!Natural curiosity to stay up to date with new technologies and emerging Fintech trends. Extra awesomeLocated in Austin, TX or interested in relocating to Austin, TXExperience in Finance / FinTech.Experience building data pipelines Knowledge of payment rails such as ACH, RTP, etc.DevOps experience with AWS, Cloudflare, and CI/CD tools.BenefitsWe believe people do their best work when they are healthy and happy. Our founding team is in Austin, TX, and Washington, DC, but we are a remote-flexible company.💰 Competitive Salary + Equity🧑\\u200d💻 Remote + Flexible Work Schedule (Full COVID-19 vaccination is required to work from our offices)🏖️ Unlimited PTO🏥 Full Health Care📚 Learning Stipend👶 Paid Parental Leave🏫 Student loan repaymentWhat makes us MethodBeing a minority-owned business, we firmly believe that diversity drives innovation. Our differences are what make us stronger. We‘re passionate about building a workplace that represents a variety of backgrounds, skills, and perspectives and does not discriminate on the basis of race, religion, color, national origin, gender, sexual orientation, age, marital status, veteran status, or disability status. We engage a thoughtful, strategic recruiting practice to add to our uniqueness and success. Everyone is welcome here!Come join us!There's no such thing as a 'perfect' candidate. We encourage you to apply even if you don't 100% match the exact candidate description!Disclaimer To Staffing/Recruiting AgenciesMethod Financial does not accept unsolicited resumes from recruiters or employment agencies in response to our Career page or a Method Financial social media/job board post. Method Financial will not consider or agree to payment of any referral compensation or recruiter fee relating to these unsolicited resumes. Method Financial explicitly reserves the right to hire those candidate(s) without any financial obligation to the recruiter or agency. Any unsolicited resumes, including those submitted to hiring managers, are deemed to be the property of Method Financial.\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-06-05T00:00:00\"\n },\n {\n \"title\": \"Junior Software Engineer\",\n \"company_name\": \"CAMP Systems International, Inc.\",\n \"job_url\": \"https://www.linkedin.com/jobs/view/3694459261\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"CAMP Systems is the leading provider of aircraft compliance and health management services to the global business aviation industry. CAMP is the pre-eminent brand in its industry and is the exclusive recommended service provider for nearly all business aircraft manufacturers in the world. Our services are delivered through a “SaaS plus” model and we support over 20,000 aircraft on our maintenance tracking platform and over 31,000 engines on our engine health monitoring platform. Additionally, CAMP provides shop floor management ERP systems to over 1,300 aircraft maintenance facilities and parts suppliers around the world. CAMP has grown from a single location company in 2001, to over 1,000 employees in 13 locations around the world.CAMP’s relationships with business aircraft manufacturers, aircraft maintenance facilities, and parts suppliers place it in a unique position to understand how current offline information flows in the business aviation industry to introduce friction to the global market for business aviation parts and services. CAMP is building a digital business that will streamline the exchange of parts and services and create substantial value for both CAMP and the aviation industry at large.CONTINUUM Applied Technology, a division of CAMP, is the provider of the CORRIDOR software suite, which is one of the most widely used ERP systems for business aviation aircraft service centers. The CORRIDOR software suite is comprised of several modules, designed to enable aircraft service centers to manage almost every aspect of their business.CAMP is an exciting company to work for, not only because of its future growth prospects, but also because of its culture. Smart, motivated people, who want to take initiative, are given the opportunity and freedom to make things happen. CAMP is part of the Hearst Business Media portfolio.Job SummaryContinuum Applied Technology, a CAMP Systems Company, is in search of a Jr. Software Engineer with the motivation to deliver solutions that drive customer success. In this role you will be joining one of the teams charged with the goal of evolving and extending our technology to create our next generation platform. We leverage Microsoft technologies heavily and are delivering our interfaces of the future in Angular, it is important that you are well versed in full stack development and are comfortable creating all layers of the application from DB through UI.Our ideal candidate is decisive, likes to solve problems, is a critical and creative thinker, able to work across diverse teams within the organization, and is known for being a strong team player.Our culture represents collaboration, acceptance, diversity, and an environment that rewards exceptional performance through promotional and compensation opportunities.ResponsibilitiesDevelop software that meets design, architecture, and coding standardsCreate automated testing applications, harnesses, and unit testsAssist with feature specificationsAggressively recognizes and pursues architecture and design improvements.Suggests and participates in evaluation of tools to improve development results.Stay up to date on latest technologies, tools and software solutions and collaborate with others on how to leverage them.RequirementsBS/BA in Computer Science or a related and or proven experience as a software engineerExperience in software design and architecture; experience in software design and architecture of scalable enterprise software a plusSolid understanding of design patterns, objected-oriented design, service-oriented architecture, and architectural principlesExperience with .Net, C#, C++, and JavaScript frameworksExperience in designing relational database schemasStrong communication, organizational skillsProven ability to work in a collaborative environmentEqual Employment OpportunityCAMP is committed to creating a diverse environment and is proud to be an affirmative action and equal opportunity employer. We understand the value of diversity and its impact on a high-performance culture. All qualified applicants will receive consideration for employment without regard to race, color, religion, sex, disability, age, sexual orientation, gender identity, national origin, veteran status, or genetic information.CAMP is committed to providing access, equal opportunity and reasonable accommodation for individuals with disabilities in employment, its services, programs, and activities. To request reasonable accommodation, please contact hr@campsystems.com.All qualified applicants will receive consideration for employment without regard to race, color, religion, gender, national origin, age, sexual orientation, gender identity, disability or veteran status EOE\",\n \"job_type\": null,\n \"compensation\": null,\n \"date_posted\": \"2023-08-14T00:00:00\"\n }\n ],\n \"total_results\": 2000,\n \"returned_results\": 5\n },\n \"indeed\": {\n \"success\": true,\n \"error\": null,\n \"jobs\": [\n {\n \"title\": \"Software Engineer\",\n \"company_name\": \"General Motors\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=7ff64f972ae8cae3\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Job Description In this software development role, you will be responsible for developing software applications using sound, repeatable, industry standard methodologies. You will have the opportunity to work hands-on writing software or solutions, based on detailed requirements and system specifications. Development activities will include updating existing software and/or developing new software solutions to address a specific need or solve a particular business problem. Additionally, you will drive development activities in accordance with appropriate methodologies and application of a repeatable, systematic and quantifiable approach to the development process. You will coach/mentor software developers and will review the software being developed. This role will also work closely with architects and/or data scientists to ensure code alignment with design patterns/frameworks. DASC software engineers are responsible for ideating, incubating, and delivering new technology for General Motors related to electric vehicles. Our team includes best-in-industry engineers, product owners, and designers who have an ambition to move at lightning speed, deliver world-class software, and deliver high-quality, innovative software that delights our customers. About the Lead Software Engineer - The Lead Software Engineer is responsible for new and innovative software development and design elegant and professional code, writing maintainable unit and integration tests (including in memory, mocked tests, and actual integrations). Our engineers work in a highly collaborative environments working across many disciplines. We regularly work on cutting edge technologies – understanding and inventing new designs and integration patterns along the way. Our engineers must… Quickly design, develop, and deliver new code Estimate and design work that is just-in-time and sized in small increments Perform root cause analysis, do technology evaluations, and develop quick prototypes Commit to completing well-defined, secure, and elegant work and deliver on their commitments Report status of assigned software development and/or maintenance tasks Consistently follow the specified software development methodology Promote improvements in programming practices such as acceptance test driven development, continuous integration, and continuous delivery Prospective team members possess a high degree of business insight, creativity, decision making skills, a drive for results, the ability to negotiate, the ability to develop strong peer relationships, and a strong technical learning capability and focus. Qualifications Minimum Qualifications: Experience with Agile teams that have regularly delivered software while practicing code review Over 8 years of software development experience in Java, SQL, Spring Boot Expertise in SQL (relational databases, Postgres), key-value datastores, and data stores Expertise in end-to-end applications hosted on Kubernetes with a focus on scalability, high availability, and fault tolerance Creating self-contained, reusable, and testable modules and components in frontend and backend work Proven experience diagnosing issues from infrastructure to network to database and all the way back Over 8 years software development utilizing industry standard design patterns Excellent verbal and written communication skills and ability to effectively communicate and translate feedback, needs and solutions Creative problem-solving skills that deliver elegant solutions to complex issues Strong teamwork focus (live by the team, die by the team) and the ability to foster collaboration within and across teams Bachelor degree in Computer Science or related field, or, equivalent combination of education and recent, relevant work experience Preferred Qualifications: Over 3 years utilizing platform and infrastructure as a service technologies and capabilities and their corresponding services (object store, configuration management, etc) Additional Job Description GM DOES NOT PROVIDE IMMIGRATION-RELATED SPONSORSHIP FOR THIS ROLE. DO NOT APPLY FOR THIS ROLE IF YOU WILL NEED GM IMMIGRATION SPONSORSHIP (e.g., H-1B, TN, STEM OPT, etc.) NOW OR IN THE FUTURE. Compensation: The expected base compensation for this role is : $90,200 - $144,100 . Actual base compensation within the identified range will vary based on factors relevant to the position. Bonus Potential: An incentive pay program offers payouts based on company performance, job level, and individual performance. Benefits: GM offers a variety of health and wellbeing benefit programs. Benefit options include medical, dental, vision, Health Savings Account, Flexible Spending Accounts, retirement savings plan, sickness and accident benefits, life insurance, paid vacation & holidays. About GM Our vision is a world with Zero Crashes, Zero Emissions and Zero Congestion and we embrace the responsibility to lead the change that will make our world better, safer and more equitable for all. Why Join Us We aspire to be the most inclusive company in the world. We believe we all must make a choice every day – individually and collectively – to drive meaningful change through our words, our deeds and our culture. Our Work Appropriately philosophy supports our foundation of inclusion and provides employees the flexibility to work where they can have the greatest impact on achieving our goals, dependent on role needs. Every day, we want every employee, no matter their background, ethnicity, preferences, or location, to feel they belong to one General Motors team. Benefits Overview The goal of the General Motors total rewards program is to support the health and well-being of you and your family. Our comprehensive compensation plan incudes, the following benefits, in addition to many others: Paid time off including vacation days, holidays, and parental leave for mothers, fathers and adoptive parents; Healthcare (including a triple tax advantaged health savings account and wellness incentive), dental, vision and life insurance plans to cover you and your family; Company and matching contributions to 401K savings plan to help you save for retirement; Global recognition program for peers and leaders to recognize and be recognized for results and behaviors that reflect our company values; Tuition assistance and student loan refinancing; Discount on GM vehicles for you, your family and friends. Diversity Information General Motors is committed to being a workplace that is not only free of discrimination, but one that genuinely fosters inclusion and belonging. We strongly believe that workforce diversity creates an environment in which our employees can thrive and develop better products for our customers. We understand and embrace the variety through which people gain experiences whether through professional, personal, educational, or volunteer opportunities. GM is proud to be an equal opportunity employer. We encourage interested candidates to review the key responsibilities and qualifications and apply for any positions that match your skills and capabilities. Equal Employment Opportunity Statements GM is an equal opportunity employer and complies with all applicable federal, state, and local fair employment practices laws. GM is committed to providing a work environment free from unlawful discrimination and advancing equal employment opportunities for all qualified individuals. As part of this commitment, all practices and decisions relating to terms and conditions of employment, including, but not limited to, recruiting, hiring, training, promotion, discipline, compensation, benefits, and termination of employment are made without regard to an indivi d ual's protected characteristics. For purposes of this policy, “protected characteristics\\\" include an individual's actual or perceived race, color, creed, religion, national origin, ancestry, citizenship status, age, sex or gender (including pregnancy, childbirth, lactation and related medical conditions), gender identity or gender expression, sexual orientation, weight, height, marital status, military service and veteran status, physical or mental disability, protected medical condition as defined by applicable state or local law, genetic information, or any other characteristic protected by applicable federal, state or local laws and ordinances. If you need a reasonable accommodation to assist with your job search or application for employment, email us at Careers.Accommodations@GM.com or call us at 800-865-7580. In your email, please include a description of the specific accommodation you are requesting as well as the job title and requisition number of the position for which you are applying.\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 144100,\n \"max_amount\": 90200,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-08-14T00:00:00\"\n },\n {\n \"title\": \"Senior Software Engineer\",\n \"company_name\": \"TechSmith Corporation\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=bb99da5bf56c4645\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"About TechSmith:At TechSmith, we help millions of people show what they know. We are a home-grown, mid-sized company that has achieved global success. Our products, including Camtasia, Snagit, and Audiate, are used across the world, from individuals to Fortune 500 Companies.Everyone at TechSmith is valued and accessible. You are trusted and empowered to make decisions and get the job done. Everyone at TechSmith adds their own unique spice to our ever-changing culture. What will you bring to the mix?Position Overview:As a Software Engineer 2 at TechSmith, you will work within an agile team, developing in a supportive and collaborative environment. As one of our Snagit Mac engineers, your work will directly impact our world-class products implemented natively for macOS and keep your technical skills strong as a direct contributor to our codebases. You will have the opportunity to mentor and learn from your teammates, work with other engineers to level-up our engineering practices, and collaborate with product team members to organize work. Some examples of what you’ll be doing include: Developing creative new ways to allow our users to share their creations and grow our understanding of how our users utilize our product Finding ways to improve the development environment and automate manual processes Collaborating with an experienced team to keep up with constantly evolving APIs and technologies Learning and experimenting with the latest technologies on existing codebases Requirements: Bachelor's Degree in Computer Science or a closely related field, or 5 years equivalent professional experience At least 3 years of professional full-time experience in software development At least 1 year of experience in software development utilizing Objective-C and/or Swift Ability to collaborate with a diverse set of people from many disciplines (Product Owners, Quality Assurance, User Experience, etc.) Candidates must have the ability to work in a hybrid environment Candidates must reside in, or be willing to move to, Michigan, Florida, Illinois, North Carolina, or Texas before starting their new position. These are the only states of residency TechSmith supports for employment. If remote, once a quarter, candidates may be required to come into the main TechSmith office, in East Lansing, Michigan Ability to handle other duties, as assigned Legally authorized to work in the United States without an employer-sponsored petition for a visa, such as an H-1B visa. TechSmith does not intend to file any visa applications in connection with this opening. Your application demonstrates at least three of the following: At least 2 years experience in software development utilizing Objective-C and/or Swift Developing software with Swift Writing automated software tests Developing native applications for macOS Commercial consumer software development Software development with video, image, or audio processing Compensation and Perks:At TechSmith, we love our employees and reward outstanding performance with bonuses and company recognition. Our generous benefit pack includes: Competitive pay Health Insurance – BCBS of Michigan - Employer paid premium Health Savings Plan – Employer Contributions Dental Insurance – Employer paid premium Vision Insurance – Employer contributions toward premiums Retirement – 401(k) – Employer Match TechSmith is excited to offer company equity via an Employee Stock Ownership Plan (ESOP) as part of our comprehensive benefits package for full time employees Tuition Assistance Student Loan Repayment Assistance Paid Parental Leave Employee Assistance Program Disability Insurance – Employer paid premium Life Insurance – Employer paid premium Generous PTO, Sick Time, Holiday Time, Volunteer Time Company-sponsored events, gifts, food, etc. For a more comprehensive list of our benefits, you can contact our recruiting team by emailing recruiting@techsmith.com or review our benefit overview here: https://assets.techsmith.com/Docs/TechSmith_Benefits_Overview.pdf TechSmith Corporation is an equal opportunity employer and will consider all candidates for employment without regard to race, color, religion, sex, national origin, age, sexual orientation, gender identity, disability status, protected veteran status, or any other characteristic protected by law.If you have a disability and require reasonable accommodation for any part of the employment process, please call 517-381-2300 x212, or email recruiting@techsmith.com with a description of your request and contact information. Search terms: Remote | Software Engineer | Software Developer | Programmer | Computer Programmer | Computer Science | Computer Engineering | Computer Programming | C++ | Agile | Unit Testing | Automated Testing | Multimedia Software | Continuous Integration | Continuous Delivery | Swift | SwiftUI | Objective-C | Objective-C++ | Mac | macOS | Software Engineer II | Software Engineer 2 Job Type: Full-time\",\n \"job_type\": \"fulltime\",\n \"compensation\": null,\n \"date_posted\": \"2023-06-26T00:00:00\"\n },\n {\n \"title\": \"Vehicle Technician\",\n \"company_name\": \"Amerit Fleet Solutions\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=3abc26131d58e960\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"$$ Paid Weekly...Every Friday $$ ** FULL Benefits After 30 Days ** Amerit Fleet Solutions, one of the leading fleet maintenance companies in the US, is looking to hire a skilled Software Engineering AV Mechanic/Technician to repair, maintain, and retrofit our fleet of Electric Autonomous Vehicles (EV/AV). You’ll be collaborating with a team of skilled EV/AV technicians to support in Austin, TX. The ideal candidate is a highly experienced and eager technician with a growth mindset, looking to propel their career in a dynamic and cutting-edge industry. Our internal and external partners will help guide you through three months of hands-on training to learn the vehicles and understand the business of fleet utilization. If you’re interested in expanding your knowledge and experience in the Autonomous Vehicle Industry, this is the job for you! Compensation: Competitive Hourly Pay - Paid weekly, every Friday! Tools and three months of shadowing/training provided! Shifts: Tuesday - Saturday 6am - 2:30pm What’s in it for you? Full-Benefits within 30 days! Benefits include medical, dental, vision, prescription drug coverage, paid vacation, holidays, and sick time, 401K, life insurance, disability insurance, ASE certification program, and growth opportunities! What You’ll Be Doing: Assisting technician team with service and repair of electrical, mechanical, and integration issues on autonomous vehicles and their equipment Performing software and firmware updates Following processes and documenting potential improvements and issues Collaborating with internal engineering and service teams to troubleshoot and diagnose issues Creating repair orders, documenting work performed stating the diagnosis, procedure performed, and parts required Creating issue tickets with engineering teams, following up with open issues to resolve Performing work with safety being top priority Participate in continuing education and training Assisting with fleet-wide hardware and software retrofits What Our Ideal Candidate Looks Like: 2+ years' experience working on cars (brakes, advanced suspension, alignment, electrical repair and diagnosis, software/firmware updates, diagnose nuanced mechanical, electrical, and A/C systems. Complex HW retrofits and AV HW replacement, diagnostic on nuanced AV and EV systems, able to diagnose highly complex integrated systems (HW/SW) issues) Ability to work with hand tools, power tools, automotive shop equipment (e.g., Impact guns, air tools, automotive lifts, floor jacks, etc.) Hands-on experience with mechanical, electrical, and software engineering components and an understanding of how they interact Strong computer skills, and strong aptitude to pick up new technology. Impeccable communication skills A learning mindset including an open mind to constructive feedback A proven track record of emphasizing safety and quality of work Ability to give and receive clear and concise verbal and written directives Ability to perform regular physical work including, but not limited to, stooping, lifting, and moving up to 50 pounds. Ability to anticipate future setbacks to mitigate operational progress and growth Able to juggle numerous projects simultaneously with ease Comfort in a dynamic and fast-paced work environment High attention to detail Bonus if you have: Experience with sensors, calibration, and/or the autonomous automotive field Dealership training and automotive experience Experience with Linux, Java, Python, C++, Jira, Confluence, G-Suite, and Slack is a plus Previous experience diagnosing and performing repairs on electric and/or hybrid vehicles ASE certifications is a plus! Working Conditions Exposure to heavy traffic areas while performing the duties of the job Exposure to considerable amounts of dust, diesel fumes and noise Exposure to chemicals, oils, greases or other irritants Access any area of the equipment or vehicle to perform necessary maintenance Ability to move and position heavy objects Ability to bend, stoop, crouch, kneel and crawl to repair vehicles Ability to work outside in various weather conditions Are you ready to advance your career as an Autonomous Vehicle Technician with Amerit Fleet Solutions? Apply Today! Job Type: Full-time Pay: $25.00 - $40.00 per hour Benefits: 401(k) Dental insurance Health insurance Paid time off Vision insurance Schedule: 8 hour shift Monday to Friday Weekends as needed Experience: Electrical Repair and Diagnosis: 2 years (Preferred) Java: 2 years (Preferred) Automotive repair: 2 years (Preferred) Linux: 2 years (Preferred) License/Certification: Driver's License (Required) Work Location: In person\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"hourly\",\n \"min_amount\": 40,\n \"max_amount\": 25,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-08-27T00:00:00\"\n },\n {\n \"title\": \"Full Stack Developer\",\n \"company_name\": \"Concordia Systems\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=b1f3f8b060ac8eff\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Join Concordia, a leading blockchain/fintech company that is revolutionizing capital efficiency and risk. Our mission at Concordia is to make crypto assets universally accepted and useful. As we continue to build innovative products and services, we are looking for a talented Full Stack Engineer to join our team and help shape our ambitious future. About Us: Concordia is a universal collateral management platform unlocking capital efficiencies and scalability in DeFi with a dynamic risk framework and API-first approach. We want to make it easier for users to access and manage cross-chain liquidity and collateral. Responsibilities: Develop and maintain full-stack web applications, contributing to the ongoing enhancement of our crypto product offerings. Contribute to the team's roadmap and deliver high-quality projects that align with our mission of democratizing crypto. Apply technical leadership and expertise to drive engineering excellence and improve the quality of our products and systems. Collaborate with engineering managers to refine and improve processes and systems for product development. Requirements: 3+ years of experience as a Full Stack Web Developer, demonstrating a strong track record of delivering high-quality applications. Proficiency in full-stack Typescript (React, Express) with a deep understanding of collaborative development methodologies Ability to collaborate effectively with product managers and cross-functional teams to drive roadmap goals. Demonstrated accountability, independence, and ownership in delivering impactful projects. Excellent technical skills and the ability to architect technical solutions. Strong written and verbal communication skills. Experience in the finance industry is a plus, showcasing your understanding of financial systems and markets. Able to spend at least one third of your time in Austin staying at the company hacker house. Bonus Points: Experience with cryptocurrency trading and blockchain technologies. Proficiency in Rust, Python, SQL, or Solidity Familiarity with financial engineering Perks and Compensation: Competitive salary based on experience and qualifications. Comprehensive benefits package. Opportunity to work in a fast-paced, collaborative, and inclusive environment. Potential participation in equity programs. Job Type: Full-time Pay: $80,000.00 - $130,000.00 per year Benefits: Dental insurance Flexible schedule Flexible spending account Health insurance Health savings account Life insurance Paid time off Vision insurance Schedule: 8 hour shift Experience: Full-stack development: 2 years (Required) TypeScript: 1 year (Preferred) Ability to Commute: Austin, TX 78702 (Required) Work Location: Hybrid remote in Austin, TX 78702\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 130000,\n \"max_amount\": 80000,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-08-23T00:00:00\"\n },\n {\n \"title\": \"Senior Software Engineer\",\n \"company_name\": \"Danaher Corporation\",\n \"job_url\": \"https://www.indeed.com/jobs/viewjob?jk=ff00c9a06c4ddc30\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"At first glance, you’ll see Danaher’s scale. Our 80,000 associates work across the globe at more than 20 unique operating companies within four platforms—life sciences, diagnostics, water quality, and product identification. Look again and you’ll see the opportunity to build a meaningful career, be creative, and take risks with the support you need to be successful. You’ll find associates who are as certain about their impact as they are about where they’re headed next. You’ll find the Danaher Business System, which makes everything possible. You’ll also see a company that investors trust—our culture of continuous improvement has helped us outperform the S&P 500 by more than 5,000% over the past 25 years. And no matter where you look at Danaher, at the heart of what we do, you’ll witness our shared purpose—helping realize life’s potential—in action. Whether we’re enabling our customers to provide clean water, supporting a life-saving vaccine development, advancing a new instrument for cancer diagnosis, or ensuring product safety, our work helps improve millions of lives. We hope you’ll see yourself here, too. What you find at Danaher—and within yourself— might just change the world. Are you interested in an exciting role to enable SOAR (security orchestration, automation and response) across Danaher’s global enterprise using a leading market solution, Palo Alto’s Cortex XSOAR platform? Build custom integrations to improve interoperability across other technologies. Be responsible for developing new automation capability and enhancing existing automations. At Danaher we believe in designing a better, more sustainable workforce. We recognize the benefits of flexible, remote working arrangements for eligible roles and are committed to providing enriching careers, no matter the work arrangement. This position is eligible for a remote work arrangement in which you can work remotely from your home. Additional information about this remote work arrangement will be provided by your interview team. Explore the flexibility and challenge that working for Danaher can provide. Responsibilities Develop and modify automation and integration software components using the XSOAR development environment and stand-alone scripts, applying secure development lifecycle practices Evaluate new product features and their fitness for use in the environment. Execute a currency plan for XSOAR technology components and the supporting infrastructure (e.g., Docker) Develop and maintain monitoring capabilities and standard operating procedures. Serve as an escalation point for complex troubleshooting and issue resolution Identify and lead continuous architectural, configuration, usage and other improvements Establish standards, requirements and guidelines that govern the acceptable use(s) of the XSOAR platform, in particular bespoke uses developed and maintained outside of the centralized engineering team. Implement and maintain SOAR related software engineering practices such as source code and API key management. Qualifications 6+ years of software engineering experience Ability to develop, test, maintain and enhance software components using python, JSON, YAML and JavaScript Ability to Automate tasks on Windows and Linux operating systems Ability to write API clients and develop integrations with different software components Ability to integrate solutions into log management platforms such as Splunk, Elasticsearch, Logstash or Kibana Preferred Qualifications Bachelor’s degree or equivalent 3+ years of experience developing, maintaining and enhancing software within Palo Alto Cortex XSOAR (f.k.a., “Demisto”) ideally with Palo Alto Certified Security Automation Engineer (PCSAE) Prior experience working in a Security Operations Center or for a Managed Security Services Provider (MSSP) Ability to create and maintain requirements repositories, software design diagrams, release notes and other technical documentation Familiarity working with threat intelligence products for enrichment of detection and response alerts Compensation The salary range for this role is $110,000 to $150,000. This is the range that we in good faith believe is the range of possible compensation for this role at the time of this posting. We may ultimately pay more or less than the posted range. This range may be modified in the future. This job is also eligible for bonus/incentive pay. We offer comprehensive package of benefits including paid time off, medical/dental/vision insurance and 401(k) to eligible employees. Note: No amount of pay is considered to be wages or compensation until such amount is earned, vested, and determinable. The amount and availability of any bonus, commission, benefits, or any other form of compensation and benefits that are allocable to a particular employee remains in the Company's sole discretion unless and until paid and may be modified at the Company’s sole discretion, consistent with the law. #LI-SM1 #LI-Remote When you join us, you’ll also be joining Danaher’s global organization, where 80,000 people wake up every day determined to help our customers win. As an associate, you’ll try new things, work hard, and advance your skills with guidance from dedicated leaders, all with the support of powerful Danaher Business System tools and the stability of a tested organization. Danaher Corporation and all Danaher Companies are committed to equal opportunity regardless of race, color, national origin, religion, sex, age, marital status, disability, veteran status, sexual orientation, gender identity, or other characteristics protected by law. We value diversity and the existence of similarities and differences, both visible and not, found in our workforce, workplace and throughout the markets we serve. Our associates, customers and shareholders contribute unique and different perspectives as a result of these diverse attributes. The EEO posters are available here. We will ensure that individuals with disabilities are provided reasonable accommodation to participate in the job application or interview process, to perform crucial job functions, and to receive other benefits and privileges of employment. Please contact us at applyassistance@danaher.com to request accommodation. If you’ve ever wondered what’s within you, there’s no better time to find out.\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 150000,\n \"max_amount\": 110000,\n \"currency\": \"USD\"\n },\n \"date_posted\": \"2023-05-31T00:00:00\"\n }\n ],\n \"total_results\": 923,\n \"returned_results\": 5\n },\n \"zip_recruiter\": {\n \"success\": true,\n \"error\": null,\n \"jobs\": [\n {\n \"title\": \"Senior Software Engineer\",\n \"company_name\": \"Macpower Digital Assets Edge (MDA Edge)\",\n \"job_url\": \"https://www.ziprecruiter.com/jobs/macpower-digital-assets-edge-mda-edge-3205cee9/senior-software-engineer-59332966?zrclid=c2f870b3-5051-431c-a270-8a1e69119875&lvk=wEF8NWo_yJghc-buzNmD7A.--N2aWoMMcN\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Job Summary: As a senior software engineer, you will be a key player in building and contributing to our platform and product roadmap, shaping our technology strategy, and mentoring talented engineers. You are motivated by being apart of effective engineering teams and driven to roll up your sleeves and dive into code when necessary. Being hands on with code is critical for success in this role. 80-90% of time will be spent writing actual code. Our engineering team is hybrid and meets in-person (Austin, TX) 1-2 days a week. Must haves: Background: 5+ years in software engineering with demonstrated success working for fast-growing companies. Success in building software from the ground up with an emphasis on architecture and backend programming. Experience developing software and APIs with technologies like TypeScript, Node.js, Express, NoSQL databases, and AWS. Nice to haves: Domain expertise: Strong desire to learn and stay up-to-date with the latest user-facing security threats and attack methods. Leadership experience is a plus. 2+ years leading/managing teams of engineers. Ability to set and track goals with team members, delegate intelligently. Project management: Lead projects with a customer-centric focus and a passion for problem-solving.\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 140000,\n \"max_amount\": 140000,\n \"currency\": \"USA\"\n },\n \"date_posted\": \"2023-07-21T09:17:19+00:00\"\n },\n {\n \"title\": \"Software Developer II (Web-Mobile) - Remote\",\n \"company_name\": \"Navitus Health Solutions LLC\",\n \"job_url\": \"https://www.ziprecruiter.com/jobs/navitus-health-solutions-llc-1a3cba76/software-developer-ii-web-mobile-remote-aa2567f2?lvk=NKzmQn2kG7L1VJplTh5Cqg.--N2aTr3mbB&zrclid=d08fa4cd-9d60-4d66-87eb-9e71a7804b44\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Putting People First in Pharmacy- Navitus was founded as an alternative to traditional pharmacy benefit manager (PBM) models. We are committed to removing cost from the drug supply chain to make medications more affordable for the people who need them. At Navitus, our team members work in an environment that celebrates diversity, fosters creativity and encourages growth. We welcome new ideas and share a passion for excellent service to our customers and each other. The Software Developer II ensures efforts are in alignment with the IT Member Services to support customer-focused objectives and the IT Vision, a collaborative partner delivering innovative ideas, solutions and services to simplify people’s lives. The Software Developer II’s role is to define, develop, test, analyze, and maintain new software applications in support of the achievement of business requirements. This includes writing, coding, testing, and analyzing software programs and applications. The Software Developer will also research, design, document, and modify software specifications throughout the production life cycle.Is this you? Find out more below! How do I make an impact on my team?Collaborate with developers, programmers, and designers in conceptualizing and development of new software programs and applications.Analyze and assess existing business systems and procedures.Design, develop, document and implement new applications and application enhancements according to business and technical requirementsAssist in defining software development project plans, including scoping, scheduling, and implementation.Conduct research on emerging application development software products, languages, and standards in support of procurement and development efforts.Liaise with internal employees and external vendors for efficient implementation of new software products or systems and for resolution of any adaptation issues.Recommend, schedule, and perform software improvements and upgrades.Write, translate, and code software programs and applications according to specifications.Write programming scripts to enhance functionality and/or performance of company applications as necessary.Design, run and monitor software performance tests on new and existing programs for the purposes of correcting errors, isolating areas for improvement, and general debugging to deliver solutions to problem areas.Generate statistics and write reports for management and/or team members on the status of the programming process.Develop and maintain user manuals and guidelines and train end users to operate new or modified programs.Install software products for end users as required.Responsibilities (working knowledge of several of the following):Programming LanguagesC#HTML/HTML5CSS/CSS3JavaScriptAngularReact/NativeRelation DB development (Oracle or SQL Server) Methodologies and FrameworksASP.NET CoreMVCObject Oriented DevelopmentResponsive Design ToolsVisual Studio or VSCodeTFS or other source control softwareWhat our team expects from you? College diploma or university degree in the field of computer science, information systems or software engineering, and/or 6 years equivalent work experienceMinimum two years of experience requiredPractical experience working with the technology stack used for Web and/or Mobile Application developmentExcellent understanding of coding methods and best practices.Experience interviewing end-users for insight on functionality, interface, problems, and/or usability issues.Hands-on experience developing test cases and test plans.Healthcare industry practices and HIPAA knowledge would be a plus.Knowledge of applicable data privacy practices and laws.Participate in, adhere to, and support compliance program objectivesThe ability to consistently interact cooperatively and respectfully with other employeesWhat can you expect from Navitus?Hours/Location: Monday-Friday 8:00am-5:00pm CST, Appleton WI Office, Madison WI Office, Austin TX Office, Phoenix AZ Office or RemotePaid Volunteer HoursEducational Assistance Plan and Professional Membership assistanceReferral Bonus Program – up to $750!Top of the industry benefits for Health, Dental, and Vision insurance, Flexible Spending Account, Paid Time Off, Eight paid holidays, 401K, Short-term and Long-term disability, College Savings Plan, Paid Parental Leave, Adoption Assistance Program, and Employee Assistance Program\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 75000,\n \"max_amount\": 102000,\n \"currency\": \"USA\"\n },\n \"date_posted\": \"2023-07-22T00:49:06+00:00\"\n },\n {\n \"title\": \"Software Developer II- remote\",\n \"company_name\": \"Navitus Health Solutions LLC\",\n \"job_url\": \"https://www.ziprecruiter.com/jobs/navitus-health-solutions-llc-1a3cba76/software-developer-ii-remote-a9ff556a?zrclid=6f9791c1-d1b2-4f65-aa5d-59b82d25ee6b&lvk=Oz2MG9xtFwMW6hxOsCrtJw.--N2cr_mA0F\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Putting People First in Pharmacy- Navitus was founded as an alternative to traditional pharmacy benefit manager (PBM) models. We are committed to removing cost from the drug supply chain to make medications more affordable for the people who need them. At Navitus, our team members work in an environment that celebrates diversity, fosters creativity and encourages growth. We welcome new ideas and share a passion for excellent service to our customers and each other. The Software Developer II ensures efforts are in alignment with the IT Health Strategies Team to support customer-focused objectives and the IT Vision, a collaborative partner delivering innovative ideas, solutions and services to simplify people’s lives. The Software Developer IIs role is to define, develop, test, analyze, and maintain new and existing software applications in support of the achievement of business requirements. This includes designing, documenting, coding, testing, and analyzing software programs and applications. The Software Developer will also research, design, document, and modify software specifications throughout the production life cycle.Is this you? Find out more below! How do I make an impact on my team?Provide superior customer service utilizing a high-touch, customer centric approach focused on collaboration and communication.Contribute to a positive team atmosphere.Innovate and create value for the customer.Collaborate with analysts, programmers and designers in conceptualizing and development of new and existing software programs and applications.Analyze and assess existing business systems and procedures.Define, develop and document software business requirements, objectives, deliverables, and specifications on a project-by-project basis in collaboration with internal users and departments.Design, develop, document and implement new applications and application enhancements according to business and technical requirements.Assist in defining software development project plans, including scoping, scheduling, and implementation.Research, identify, analyze, and fulfill requirements of all internal and external program users.Recommend, schedule, and perform software improvements and upgrades.Consistently write, translate, and code software programs and applications according to specifications.Write new and modify existing programming scripts to enhance functionality and/or performance of company applications as necessary.Liaise with network administrators, systems analysts, and software engineers to assist in resolving problems with software products or company software systems.Design, run and monitor software performance tests on new and existing programs for the purposes of correcting errors, isolating areas for improvement, and general debugging.Administer critical analysis of test results and deliver solutions to problem areas.Generate statistics and write reports for management and/or team members on the status of the programming process.Liaise with vendors for efficient implementation of new software products or systems and for resolution of any adaptation issues.Ensure target dates and deadlines for development are met.Conduct research on emerging application development software products, languages, and standards in support of procurement and development efforts.Develop and maintain user manuals and guidelines.Train end users to operate new or modified programs.Install software products for end users as required.Participate in, adhere to, and support compliance program objectives.Other related duties as assigned/required.Responsibilities (including one or more of the following):VB.NETC#APIFast Healthcare Interoperability Resources (FHIR)TelerikOracleMSSQLVisualStudioTeamFoundation StudioWhat our team expects from you? College diploma or university degree in the field of computer science, information systems or software engineering, and/or 6 years equivalent work experience.Minimum two years of experience requiredExcellent understanding of coding methods and best practices.Working knowledge or experience with source control tools such as TFS and GitHub.Experience interviewing end-users for insight on functionality, interface, problems, and/or usability issues.Hands-on experience developing test cases and test plans.Healthcare industry practices and HIPAA knowledge would be a plus.Knowledge of applicable data privacy practices and laws.Participate in, adhere to, and support compliance program objectivesThe ability to consistently interact cooperatively and respectfully with other employeesWhat can you expect from Navitus?Hours/Location: Monday-Friday remote Paid Volunteer HoursEducational Assistance Plan and Professional Membership assistanceReferral Bonus Program – up to $750!Top of the industry benefits for Health, Dental, and Vision insurance, Flexible Spending Account, Paid Time Off, Eight paid holidays, 401K, Short-term and Long-term disability, College Savings Plan, Paid Parental Leave, Adoption Assistance Program, and Employee Assistance Program\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 75000,\n \"max_amount\": 102000,\n \"currency\": \"USA\"\n },\n \"date_posted\": \"2023-07-10T20:44:25+00:00\"\n },\n {\n \"title\": \"Senior Software Engineer (Hybrid - Austin, TX)\",\n \"company_name\": \"CharterUP\",\n \"job_url\": \"https://www.ziprecruiter.com/jobs/charterup-80729e0b/senior-software-engineer-hybrid-austin-tx-c76e2d33?zrclid=b76f8609-08fe-4fda-88d3-723e4cab8936&lvk=bU8dp4CX2RFWX8p3yZuavA.--N2aq6lPik\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Title: Senior Software EngineerReports to: Director of EngineeringLocation: Austin, TX (in-office ~3 days per week)About CharterUPIf you’ve been searching for a career with a company that values creativity, innovation and teamwork, consider this your ticket to ride.CharterUP is on a mission to shake up the fragmented $15 billion charter bus industry by offering the first online marketplace that connects customers to a network of more than 600 bus operators from coast to coast. Our revolutionary platform makes it possible to book a bus in just 60 seconds – eliminating the stress and hassle of coordinating group transportation for anyone from wedding parties to Fortune 500 companies. We’re introducing transparency, accountability and accessibility to an industry as archaic as phone books. By delivering real-time availability and pricing, customers can use the CharterUP marketplace to easily compare quotes, vehicles, safety records and reviews.We're seeking team members who are revved up and ready to use technology to make a positive impact. As part of the CharterUP team, you'll work alongside some of the brightest minds in the technology and transportation industries. You'll help drive the future of group travel and help raise the bar for service standards in the industry, so customers can always ride with confidence.But we're not just about getting from point A to point B – CharterUP is also committed to sustainability. By promoting group travel, we can significantly reduce carbon emissions and help steer our planet towards a greener future. In 2022 alone, we eliminated over 1 billion miles worth of carbon emissions with 25 million miles driven.CharterUP is looking for passionate and driven individuals to join our team and help steer us towards a better future for group transportation. On the heels of a $60 million Series A funding round, we’re ready to kick our growth into overdrive – and we want you to be part of the ride. About this roleCharterUP is seeking a Senior Software Engineer to architect, implement, and own a wide variety of customer facing and back-office software systems powering our two-sided marketplace business.  You’ll work closely with our engineering leaders, product managers, and engineering team to design and build systems that will scale with our rapidly growing business needs.  You will lead a wide variety of technology initiatives across multiple disciplines including REST API Services, Web Applications, Mobile Apps, Data Engineering and DevOps.CompensationEstimated base salary for this role is $140,000-$180,000Comprehensive benefits package, including fully subsidized medical insurance for CharterUP employees and 401(k)ResponsibilitiesDevelop robust software products in our Java and Node.js platformDeploy high-quality software products to our AWS cloud infrastructureDevelop tooling and processes to benefit our growing teamThough this is not a people manager role, you will mentor more junior engineers on technical skillsDefine and promote software engineering best practicesContribute to technical vision, direction and implementationExperience and ExpertiseUndergraduate degree in Computer Science, Engineering, or equivalent4+ years of experience as a professional fullstack software engineerExperience with building Java backend services; and Vue, React, or Angular frontendsUnderstanding of cloud infrastructure, preferably of AWSYou are a coder that loves to be hands-on, leading the charge on complex projectsComfortable taking ownership end-to-end of deliverablesRecruiting ProcessStep 1 - Video call: Talent Acquisition interviewStep 2 - Hiring Manager interviewStep 3 - Team interviewsStep 4 - Offer!Welcome aboard!CharterUP PrinciplesAt CharterUP, we don’t compromise on quality. We hire smart, high-energy, trustworthy people and keep them as motivated and happy as possible. We do that by adhering to our principles, which are:Customer FirstWe always think about how our decisions will impact our clients; earning and keeping customer trust is our top priorityWe are not afraid of short-term pain for long-term customer benefitCreate an Environment for Exceptional PeopleWe foster intellectual curiosityWe identify top performers, mentor them, and empower them to achieveEvery hire and promotion will have a higher standardEveryone is an Entrepreneur / OwnerNo team member is defined by their function or job title; no job is beneath anyoneWe do more with less; we are scrappy and inventiveWe think long-termRelentlessly High StandardsWe reject the status quo; we constantly innovate and question established routines We are not afraid to be wrong; the best idea winsWe don’t compromise on qualityClarity & SpeedWhen in doubt, we act; we can always change courseWe focus on the key drivers that will deliver the most resultsMandate to Dissent & CommitWe are confident in expressing our opinions; it is our obligation to express our disagreementOnce we agree, we enthusiastically move together as a teamCharterUP is an equal opportunity employer.  We make all employment decisions including hiring, evaluation, termination, promotional and training opportunities, without regard to race, religion, color, sex, age, national origin, ancestry, sexual orientation, physical handicap, mental disability, medical condition, disability, gender or identity or expression, pregnancy or pregnancy-related condition, marital status, height and/or weight.Powered by JazzHRUWDpNXuN9c\",\n \"job_type\": \"fulltime\",\n \"compensation\": {\n \"interval\": \"yearly\",\n \"min_amount\": 140000,\n \"max_amount\": 180000,\n \"currency\": \"USA\"\n },\n \"date_posted\": \"2023-05-21T02:27:11+00:00\"\n },\n {\n \"title\": \"Electrical Engineer (Mobile, AL)\",\n \"company_name\": \"Kimberly-Clark\",\n \"job_url\": \"https://kimberlyclark.wd1.myworkdayjobs.com/GLOBAL/job/USA-AL-Mobile/Electrical-Engineer--Mobile--AL-_862525-2?rx_c=electrical-engineer&rx_campaign=ziprecruiter160&rx_ch=jobp4p&rx_group=214630&rx_job=862525-2_8a500&rx_medium=cpc&rx_r=none&rx_source=ziprecruiter&rx_ts=20230827T100401Z&rx_vp=cpc&utm_campaign=chicago&utm_medium=cpc&utm_source=ZipRecruiter&rx_p=5bdbf6c2-b311-4b05-99e7-39993445d727&rx_viewer=a91a69cc451e11eeb2e0b379deb3ddc8bddbe44b18f440838a1aafe4229c5bcf\",\n \"location\": {\n \"country\": \"USA\",\n \"city\": \"Austin\",\n \"state\": \"TX\"\n },\n \"description\": \"Understand fundamentals of hardware and software standards, development and management, and ... Engineer (Mechanical and Electrical) systems designs into manufacturing and converting equipment to ...\",\n \"job_type\": \"fulltime\",\n \"compensation\": null,\n \"date_posted\": \"2023-08-04T00:04:33+00:00\"\n }\n ],\n \"total_results\": 4155,\n \"returned_results\": 5\n }\n}" } ] },