08Sep

Recruiter

Job title: Recruiter

Company: MongoDB

Job description: modernize legacy workloads, embrace innovation, and unleash AI. Our industry-leading developer data platform, MongoDB Atlas… consistently clean data for reporting Establish relationships with client groups to understand their business objectives…

Expected salary:

Location: Dublin

Job date: Fri, 30 Aug 2024 06:11:31 GMT

Apply for the job now!

08Sep

Python QuickStart for People Learning AI | by Shaw Talebi | Sep, 2024


Many computers come with Python pre-installed. To see if your machine has it, go to your Terminal (Mac/Linux) or Command Prompt (Windows), and simply enter “python”.

Using Python in Terminal. Image by author.

If you don’t see a screen like this, you can download Python manually (Windows/ Mac). Alternatively, one can install Anaconda, a popular Python package system for AI and data science. If you run into installation issues, ask your favorite AI assistant for help!

With Python running, we can now start writing some code. I recommend running the examples on your computer as we go along. You can also download all the example code from the GitHub repo.

Strings & Numbers

A data type (or just “type”) is a way to classify data so that it can be processed appropriately and efficiently in a computer.

Types are defined by a possible set of values and operations. For example, strings are arbitrary character sequences (i.e. text) that can be manipulated in specific ways. Try the following strings in your command line Python instance.

"this is a string"
>> 'this is a string'
'so is this:-1*!@&04"(*&^}":>?'
>> 'so is this:-1*!@&04"(*&^}":>?'
"""and
this is
too!!11!"""
>> 'and\n this is\n too!!11!'
"we can even " + "add strings together"
>> 'we can even add strings together'

Although strings can be added together (i.e. concatenated), they can’t be added to numerical data types like int (i.e. integers) or float (i.e. numbers with decimals). If we try that in Python, we will get an error message because operations are only defined for compatible types.

# we can't add strings to other data types (BTW this is how you write comments in Python)
"I am " + 29
>> TypeError: can only concatenate str (not "int") to str
# so we have to write 29 as a string
"I am " + "29"
>> 'I am 29'

Lists & Dictionaries

Beyond the basic types of strings, ints, and floats, Python has types for structuring larger collections of data.

One such type is a list, an ordered collection of values. We can have lists of strings, numbers, strings + numbers, or even lists of lists.

# a list of strings
["a", "b", "c"]

# a list of ints
[1, 2, 3]

# list with a string, int, and float
["a", 2, 3.14]

# a list of lists
[["a", "b"], [1, 2], [1.0, 2.0]]

Another core data type is a dictionary, which consists of key-value pair sequences where keys are strings and values can be any data type. This is a great way to represent data with multiple attributes.

# a dictionary
{"Name":"Shaw"}

# a dictionary with multiple key-value pairs
{"Name":"Shaw", "Age":29, "Interests":["AI", "Music", "Bread"]}

# a list of dictionaries
[{"Name":"Shaw", "Age":29, "Interests":["AI", "Music", "Bread"]},
{"Name":"Ify", "Age":27, "Interests":["Marketing", "YouTube", "Shopping"]}]

# a nested dictionary
{"User":{"Name":"Shaw", "Age":29, "Interests":["AI", "Music", "Bread"]},
"Last_login":"2024-09-06",
"Membership_Tier":"Free"}

So far, we’ve seen some basic Python data types and operations. However, we are still missing an essential feature: variables.

Variables provide an abstract representation of an underlying data type instance. For example, I might create a variable called user_name, which represents a string containing my name, “Shaw.” This enables us to write flexible programs not limited to specific values.

# creating a variable and printing it
user_name = "Shaw"
print(user_name)

#>> Shaw

We can do the same thing with other data types e.g. ints and lists.

# defining more variables and printing them as a formatted string. 
user_age = 29
user_interests = ["AI", "Music", "Bread"]

print(f"{user_name} is {user_age} years old. His interests include {user_interests}.")

#>> Shaw is 29 years old. His interests include ['AI', 'Music', 'Bread'].

Now that our example code snippets are getting longer, let’s see how to create our first script. This is how we write and execute more sophisticated programs from the command line.

To do that, create a new folder on your computer. I’ll call mine python-quickstart. If you have a favorite IDE (e.g., the Integrated Development Environment), use that to open this new folder and create a new Python file, e.g., my-script.py. There, we can write the ceremonial “Hello, world” program.

# ceremonial first program
print("Hello, world!")

If you don’t have an IDE (not recommended), you can use a basic text editor (e.g. Apple’s Text Edit, Window’s Notepad). In those cases, you can open the text editor and save a new text file using the .py extension instead of .txt. Note: If you use TextEditor on Mac, you may need to put the application in plain text mode via Format > Make Plain Text.

We can then run this script using the Terminal (Mac/Linux) or Command Prompt (Windows) by navigating to the folder with our new Python file and running the following command.

python my-script.py

Congrats! You ran your first Python script. Feel free to expand this program by copy-pasting the upcoming code examples and rerunning the script to see their outputs.

Two fundamental functionalities of Python (or any other programming language) are loops and conditions.

Loops allow us to run a particular chunk of code multiple times. The most popular is the for loop, which runs the same code while iterating over a variable.

# a simple for loop iterating over a sequence of numbers
for i in range(5):
print(i) # print ith element

# for loop iterating over a list
user_interests = ["AI", "Music", "Bread"]

for interest in user_interests:
print(interest) # print each item in list

# for loop iterating over items in a dictionary
user_dict = {"Name":"Shaw", "Age":29, "Interests":["AI", "Music", "Bread"]}

for key in user_dict.keys():
print(key, "=", user_dict[key]) # print each key and corresponding value

The other core function is conditions, such as if-else statements, which enable us to program logic. For example, we may want to check if the user is an adult or evaluate their wisdom.

# check if user is 18 or older
if user_dict["Age"] >= 18:
print("User is an adult")

# check if user is 1000 or older, if not print they have much to learn
if user_dict["Age"] >= 1000:
print("User is wise")
else:
print("User has much to learn")

It’s common to use conditionals within for loops to apply different operations based on specific conditions, such as counting the number of users interested in bread.

# count the number of users interested in bread
user_list = [{"Name":"Shaw", "Age":29, "Interests":["AI", "Music", "Bread"]},
{"Name":"Ify", "Age":27, "Interests":["Marketing", "YouTube", "Shopping"]}]
count = 0 # intialize count

for user in user_list:
if "Bread" in user["Interests"]:
count = count + 1 # update count

print(count, "user(s) interested in Bread")

Functions are operations we can perform on specific data types.

We’ve already seen a basic function print(), which is defined for any datatype. However, there are a few other handy ones worth knowing.

# print(), a function we've used several times already
for key in user_dict.keys():
print(key, ":", user_dict[key])

# type(), getting the data type of a variable
for key in user_dict.keys():
print(key, ":", type(user_dict[key]))

# len(), getting the length of a variable
for key in user_dict.keys():
print(key, ":", len(user_dict[key]))
# TypeError: object of type 'int' has no len()

We see that, unlike print() and type(), len() is not defined for all data types, so it throws an error when applied to an int. There are several other type-specific functions like this.

# string methods
# --------------
# make string all lowercase
print(user_dict["Name"].lower())

# make string all uppercase
print(user_dict["Name"].upper())

# split string into list based on a specific character sequence
print(user_dict["Name"].split("ha"))

# replace a character sequence with another
print(user_dict["Name"].replace("w", "whin"))

# list methods
# ------------
# add an element to the end of a list
user_dict["Interests"].append("Entrepreneurship")
print(user_dict["Interests"])

# remove a specific element from a list
user_dict["Interests"].pop(0)
print(user_dict["Interests"])

# insert an element into a specific place in a list
user_dict["Interests"].insert(1, "AI")
print(user_dict["Interests"])

# dict methods
# ------------
# accessing dict keys
print(user_dict.keys())

# accessing dict values
print(user_dict.values())

# accessing dict items
print(user_dict.items())

# removing a key
user_dict.pop("Name")
print(user_dict.items())

# adding a key
user_dict["Name"] = "Shaw"
print(user_dict.items())

While the core Python functions are helpful, the real power comes from creating user-defined functions to perform custom operations. Additionally, custom functions allow us to write much cleaner code. For example, here are some of the previous code snippets repackaged as user-defined functions.

# define a custom function
def user_description(user_dict):
"""
Function to return a sentence (string) describing input user
"""
return f'{user_dict["Name"]} is {user_dict["Age"]} years old and is interested in {user_dict["Interests"][0]}.'

# print user description
description = user_description(user_dict)
print(description)

# print description for a new user!
new_user_dict = {"Name":"Ify", "Age":27, "Interests":["Marketing", "YouTube", "Shopping"]}
print(user_description(new_user_dict))

# define another custom function
def interested_user_count(user_list, topic):
"""
Function to count number of users interested in an arbitrary topic
"""
count = 0

for user in user_list:
if topic in user["Interests"]:
count = count + 1

return count

# define user list and topic
user_list = [user_dict, new_user_dict]
topic = "Shopping"

# compute interested user count and print it
count = interested_user_count(user_list, topic)
print(f"{count} user(s) interested in {topic}")

Although we could implement an arbitrary program using core Python, this can be incredibly time-consuming for some use cases. One of Python’s key benefits is its vibrant developer community and a robust ecosystem of software packages. Almost anything you might want to implement with core Python (probably) already exists as an open-source library.

We can install such packages using Python’s native package manager, pip. To install new packages, we run pip commands from the command line. Here is how we can install numpy, an essential data science library that implements basic mathematical objects and operations.

pip install numpy

After we’ve installed numpy, we can import it into a new Python script and use some of its data types and functions.

import numpy as np

# create a "vector"
v = np.array([1, 3, 6])
print(v)

# multiply a "vector"
print(2*v)

# create a matrix
X = np.array([v, 2*v, v/2])
print(X)

# matrix multiplication
print(X*v)

The previous pip command added numpy to our base Python environment. Alternatively, it’s a best practice to create so-called virtual environments. These are collections of Python libraries that can be readily interchanged for different projects.

Here’s how to create a new virtual environment called my-env.

python -m venv my-env

Then, we can activate it.

# mac/linux
source my-env/bin/activate

# windows
.\my-env\Scripts\activate.bat

Finally, we can install new libraries, such as numpy, using pip.

pip install pip

Note: If you’re using Anaconda, check out this handy cheatsheet for creating a new conda environment.

Several other libraries are commonly used in AI and data science. Here is a non-comprehensive overview of some helpful ones for building AI projects.

A non-comprehensive overview of Python libs for data science and AI. Image by author.

Now that we have been exposed to the basics of Python, let’s see how we can use it to implement a simple AI project. Here, I will use the OpenAI API to create a research paper summarizer and keyword extractor.

Like all the other snippets in this guide, the example code is available at the GitHub repository.



Source link

08Sep

Electrical Engineer

Job title: Electrical Engineer

Company: Cundall

Job description: to design energy efficient, sustainable, and cost-effective buildings. Winners of the 2021 CIBSE Innovation Award, Cundall… that each member is vital to the team, office and business. Working with the team leaders areas of development will be agreed targeted…

Expected salary:

Location: Dublin

Job date: Fri, 30 Aug 2024 06:38:33 GMT

Apply for the job now!

08Sep

Treasury Accountant

Job title: Treasury Accountant

Company: Cloudera

Job description: Business Area: Finance & Corp. Services Seniority Level: Associate Job Description: At Cloudera, we empower…, we’re the preferred data partner for the top companies in almost every industry. Powered by the relentless innovation of the…

Expected salary:

Location: Cork

Job date: Fri, 30 Aug 2024 06:43:21 GMT

Apply for the job now!

08Sep

IDS Transfer Agency, Senior Associate

Job title: IDS Transfer Agency, Senior Associate

Company: State Street

Job description: globe, regional/country teams and business units’ employee action committees. We are very proud of our employees ongoing… largest custodian banks, asset managers and asset intelligence companies in the world. From technology to product innovation

Expected salary:

Location: Kilkenny

Job date: Fri, 30 Aug 2024 06:48:44 GMT

Apply for the job now!

08Sep

Principal Civil Engineer, Water & Wastewater

Job title: Principal Civil Engineer, Water & Wastewater

Company: AECOM

Job description: innovation, delivering exceptional water programs and projects through long-term partnerships with major clients such as Uisce… development of junior team members and undertake line management responsibilities. If you’re passionate about innovation

Expected salary:

Location: Cork

Job date: Fri, 30 Aug 2024 06:49:05 GMT

Apply for the job now!

08Sep

Full Stack Sr Test Engineer – Neuromodulation AI Specialist at Abbott – United States – Texas – Plano : 6901 Preston Road


Abbott is a global healthcare leader that helps people live more fully at all stages of life. Our portfolio of life-changing technologies spans the spectrum of healthcare, with leading businesses and products in diagnostics, medical devices, nutritionals and branded generic medicines. Our 114,000 colleagues serve people in more than 160 countries.

     

JOB DESCRIPTION:

*This is not an active open requisition. We are building a candidate slate for a future opening.*

Job Title:  Full Stack Sr Test Engineer – Neuromodulation AI Specialist

Working at Abbott

At Abbott, you can do work that matters, grow, and learn, care for yourself and family, be your true self and live a full life. You’ll also have access to:

  • Career development with an international company where you can grow the career you dream of.
  • Free medical coverage for employees* via the Health Investment Plan (HIP) PPO
  • An excellent retirement savings plan with high employer contribution
  • Tuition reimbursement, the Freedom 2 Save student debt program and FreeU education benefit – an affordable and convenient path to getting a bachelor’s degree.
  • A company recognized as a great place to work in dozens of countries around the world and named one of the most admired companies in the world by Fortune.
  • A company that is recognized as one of the best big companies to work for as well as a best place to work for diversity, working mothers, female executives, and scientists.

The Opportunity

This position works out of our Plano, TX location in the Neuromodulation division.

We are seeking a highly skilled and innovative Full Stack Test Engineer with expertise in neuromodulation products to join our dynamic team. In this role, you will leverage your deep product knowledge and technical acumen to revolutionize our testing processes through the integration of AI-driven solutions. You will be responsible for enhancing existing test infrastructure, developing comprehensive product use case training materials, and utilizing AI to augment testing capabilities, ultimately ensuring the delivery of high-quality neuromodulation products.

Responsibilities:

  • Test Infrastructure Enhancement: Collaborate with the software engineering team to analyze and optimize existing test infrastructure, identifying areas for improvement and incorporating AI-powered tools and frameworks.
  • AI Integration: Research, evaluate, and implement cutting-edge AI technologies to augment test automation, data analysis, and defect detection processes, driving efficiency and accuracy.
  • Product Knowledge Training: Develop in-depth training materials and programs that equip test engineers with comprehensive knowledge of neuromodulation product features, functionalities, and use cases.
  • Test Case Development: Design and implement comprehensive test cases that cover a wide range of product scenarios, leveraging AI to generate intelligent test data and identify potential edge cases.  
  • Test Automation: Utilize AI algorithms to automate test execution, data collection, and result analysis, ensuring rapid feedback loops and enabling continuous testing practices.
  • Defect Analysis: Collaborate with cross-functional teams to analyze defects, identify root causes, and implement corrective actions, utilizing AI to uncover patterns and trends in defect data.
  • Performance Optimization: Monitor and analyze product performance metrics, leveraging AI to identify bottlenecks and optimize product behavior under various conditions.
  • Documentation: Maintain detailed documentation of test strategies, procedures, results, and AI-driven insights, ensuring transparency and knowledge sharing across the team.
  • Mentorship: Provide guidance and mentorship to junior test engineers, fostering a culture of continuous learning and innovation.
  • Stay Current: Keep abreast of emerging trends and technologies in neuromodulation, AI, and software testing, continuously expanding your skillset and knowledge base.

Qualifications:

  • Bachelor’s degree in Computer Science, Software Engineering, or a related field.
  • 5+ years of experience in software testing, with a strong focus on full stack testing and automation.
  • Proven expertise in neuromodulation products, demonstrating in-depth knowledge of features, functionalities, and use cases.
  • Hands-on experience with AI technologies, such as machine learning, natural language processing, and computer vision, applied to software testing.
  • Strong programming skills in Python, Java, or other relevant languages.
  • Experience with test automation frameworks and tools.
  • Excellent problem-solving and analytical skills.
  • Strong communication and collaboration skills.

Preferred Qualifications:

  • Master’s degree in a relevant field.
  • Experience with cloud-based testing platforms.
  • Experience with big data analytics and data visualization tools.
  • Contributions to open-source projects or relevant communities.

Benefits:

  • Competitive salary and comprehensive benefits package.
  • Opportunity to work on cutting-edge technologies in a rapidly growing field.
  • Collaborative and supportive work environment.
  • Professional development opportunities and mentorship.

Join us in shaping the future of neuromodulation through innovative testing solutions!

Apply Now

* Participants who complete a short wellness assessment qualify for FREE coverage in our HIP PPO medical plan. Free coverage applies in the next calendar year.

Learn more about our health and wellness benefits, which provide the security to help you and your family live full lives:  www.abbottbenefits.com

Follow your career aspirations to Abbott for diverse opportunities with a company that can help you build your future and live your best life. Abbott is an Equal Opportunity Employer, committed to employee diversity.

Connect with us at www.abbott.com, on Facebook at www.facebook.com/Abbott and on Twitter @AbbottNews and @AbbottGlobal.

     

The base pay for this position is

$72,700.00 – $145,300.00

In specific locations, the pay range may vary from the range posted.

     

JOB FAMILY:

Product Development

     

DIVISION:

NM Neuromodulation

        

LOCATION:

United States > Texas > Plano : 6901 Preston Road

     

ADDITIONAL LOCATIONS:

     

WORK SHIFT:

Standard

     

TRAVEL:

Yes, 10 % of the Time

     

MEDICAL SURVEILLANCE:

No

     

SIGNIFICANT WORK ACTIVITIES:

Continuous sitting for prolonged periods (more than 2 consecutive hours in an 8 hour day), Continuous standing for prolonged periods (more than 2 consecutive hours in an 8 hour day)

     

Abbott is an Equal Opportunity Employer of Minorities/Women/Individuals with Disabilities/Protected Veterans.

     

EEO is the Law link – English: http://webstorage.abbott.com/common/External/EEO_English.pdf

     

EEO is the Law link – Espanol: http://webstorage.abbott.com/common/External/EEO_Spanish.pdf



Source link

08Sep

Software Engineer (Front End – React)

Job title: Software Engineer (Front End – React)

Company: Workhuman

Job description: ability to interpret data and business strategy, understanding constraints and trade-offs. You develop in accordance with best software… business environment You have collaborated openly on shared items of work and communicated well in a team-oriented…

Expected salary:

Location: Dublin

Job date: Fri, 30 Aug 2024 07:06:37 GMT

Apply for the job now!

08Sep

Office Coordinator

Job title: Office Coordinator

Company: Eurofins

Job description: and what business will you support? You will be based in Dublin, and support our Office Cost Management business unit, as you report… to the Human Resources Business Partner and Site Director. How can you help us? You will: Manage and oversee…

Expected salary:

Location: Dublin

Job date: Fri, 30 Aug 2024 07:08:07 GMT

Apply for the job now!

08Sep

Staff Operations Engineer

Job title: Staff Operations Engineer

Company: Sirius XM

Job description: Tier 2+/advanced troubleshooting and support for production services. Drive and support a culture of innovation… to building a culture that rewards aggressive pursuit of innovative solutions to problems. Be responsive to the business in…

Expected salary:

Location: Dublin

Job date: Fri, 30 Aug 2024 07:13:29 GMT

Apply for the job now!

Protected by Security by CleanTalk