15 JavaScript Developer interview questions and answers

Find and hire talent with confidence. Prepare for your next interview. The right questions can be the difference between a good and great work relationship.

Trusted by


What are the advantages of using JavaScript?

You want a developer who really knows how to play to the strengths of your chosen platform. Some key advantages of JavaScript are listed below for your convenience.

  • Lightweight: JavaScript can be executed within the user’s browser without having to communicate with the server, saving on bandwidth.
  • Versatile: JavaScript supports multiple programming paradigms—object-oriented, imperative, and functional programming and can be used on both front-end and server-side technologies.
  • Sleek Interactivity: Because tasks can be completed within the browser without communicating with the server, JavaScript can create a smooth "desktop-like" experience for the end user.
  • Rich Interfaces: From drag-and-drop blocks to stylized sliders, there are numerous ways that JavaScript can be used to enhance a website’s UI/UX.
  • Prototypal Inheritance: Objects can inherit from other objects, which makes JavaScript so simple, powerful, and great for dynamic applications.

What are the disadvantages of using JavaScript?

Experienced coders won’t just be able to rave about their favorite language’s strengths—they will also be able to talk about its weaknesses. JavaScript’s main weakness is security. Look for answers on how it can be exploited. A secondary weakness is JavaScript’s ubiquity and versatility—it can be a double-edged sword in that there’s a lot of room for programming quirks that can lead to inconsistent performance across different platforms.

Explain the difference between classical inheritance and prototypal inheritance.

The great thing about JavaScript is the ability to do away with the rigid rules of classical inheritance and let objects inherit properties from other objects. - Classical Inheritance: A constructor function instantiates an instance via the "new" keyword. This new instance inherits properties from a parent class. - Prototypal Inheritance: An instance is created by cloning an existing object that serves as a prototype. This instance—often instantiated using a factory function or "Object.create()"—can benefit from selective inheritance from many different objects.

Give an example of a time that you used functional programming in JavaScript.

Functional programming is one of the key paradigms that makes JavaScript stand out from other languages. Look for examples of functional purity, first-class functions, higher-order functions, or using functions as arguments and values. It’s also a good sign if they have past experience working with functional languages like Lisp, Haskell, Erlang, or Clojure.

Give an example of a time when you used Prototypal OO in JavaScript.

Prototypal OO is the other major programming paradigm that really lets JavaScript shine—objects linked to other objects (OLOO). You’re looking for knowledge of when and where to use prototypes, liberal use of "Object.assign()" or mixins, and a solid grasp of concepts like delegation and concatenative inheritance.

What is a RESTful Web Service?

REST stands for Representational State Transfer, an architectural style that has largely been adopted as a best practice for building web and mobile applications. RESTful services are designed to be lightweight, easy to maintain, and scaleable. They are typically based on the HTTP protocol, make explicit use of HTTP methods (GET, POST, PUT, DELETE), are stateless, use intuitive URIs, and transfer XML/JSON data between the server and the client.

Which frameworks are you most familiar with?

You can tell a lot about a programmer from the frameworks they’re familiar with—AngularJS, React, jQuery, Backbone, Aurelia, and Meteor are just some of the more popular ones available. The key here is to make sure the developer you’re engaging has experience with the framework you’ve chosen for your project.

How experienced are you with MEAN?

The MEAN (MongoDB, Express, AngularJS, and Node.js) stack is the most popular open-source JavaScript software stack available for building dynamic web apps—the primary advantage being that you can write both the server-side and client-side halves of the web project entirely in JavaScript. Even if you aren’t intending to use MEAN for your project, you can still learn a lot about the developer when they recount their experiences using JavaScript for different aspects of web development.

Explain the differences between one-way data flow and two-way data binding.

This question may seem self-explanatory, but what you’re looking for is a developer who can demonstrate solid understanding of how data flows throughout the application. In two-way data binding, changes to the UI and changes to the model occur asynchronously—a change on one end is reflected on the other. In one-way data binding, data only flows one way, and any changes that the user makes to the view will not be reflected in the model until the two are synced. Angular makes implementing two-way binding a snap, whereas React would be your framework of choice for deterministic one-way data flow.

Determine the output of the code below. Explain your answer.

console.log(0.1 + 0.2);
console.log(0.4 + 0.1 == 0.5);

This is a trick question in that at first glance, you might expect the console to print out "0.3" and "true." The correct answer is that you can’t know for sure, because of how JavaScript treats floating point values. In fact, in the above example, it will print out:

0.30000000000000004
false

Determine the output of the code below. Explain your answer.

var myObject = {
  egg: "plant",
  func: function() {
    var self = this;
    console.log("outer func: this.egg = " + this.egg);
    console.log("outer func: self.egg = " + self.egg);
    (function() {
      console.log("inner func: this.egg = " + this.egg);
      console.log("inner func: self.egg = " + self.egg);
    }());
  }
};
myObject.func();

This question is designed to test the interviewee’s understanding of scope and the "this" keyword. In the outer function, both "this" and "self" correctly refer to "myObject" and can subsequently access "egg." In the inner function, "self" remains within scope while "this" can no longer refer to "myObject"—resulting in the output below:

outer func:  this.egg = plant
outer func:  self.egg = plant
inner func:  this.egg = undefined
inner func:  self.egg = plant

Write a function that can determine whether a string is a palindrome in under 100 characters.

A palindrome is a word, phrase, or sequence of letters that reads the same backwards or forwards. It also makes a great test for checking their ability to handle strings.

function isPalindrome(str) {
  str = str.replace(/s/g, '').toLowerCase();
  return (str == str.split('').reverse().join(''));
}

How would you empty the array below?

var emptyArray = [‘this’, ‘array’, ‘is’, ‘full’];

This deceptively simple question is designed to test your prospective coder’s awareness of mitigating potential bugs when solving problems. The easiest method would be to set "emptyArray" equal to "[ ]"—which creates a new empty array. However, if the array is referenced anywhere else, the original array will remain unchanged. A more robust method would be "emptyArray.length - 0;"—which not only clears the array but updates all reference variables that point to this original array. Some possible solutions are listed below:

emptyArray.length = 0;


emptyArray.splice(0, emptyArray.length);


while(emptyArray.length) {
  emptyArray.pop();
}


emptyArray = []

Determine the output of the code below. Explain your answer.

var lorem = { ipsum : 1};
var output = (function() {
  delete lorem.ipsum;
  return lorem.ipsum;
})();

console.log(output);

The output would be undefined, because the delete operator removed the property "ipsum" from the object "lorem" before the object was returned. When you reference a deleted property, the result is undefined.

Are you a team player? Give an example of a time when you had to resolve a conflict with another member on your team.

There are many jobs associated with putting together an application, and chances are high that your new JavaScript developer will at the very least have to interface with a designer. You’re looking for a developer who can communicate effectively when they need to, responds to emails, and knows how to coordinate with other branches of a project.

ar_FreelancerAvatar_altText_292
ar_FreelancerAvatar_altText_292
ar_FreelancerAvatar_altText_292

4.8/5

Rating is 4.8 out of 5.

clients rate JavaScript Developers based on 100K+ reviews

Hire JavaScript Developers

JavaScript Developers you can meet on Upwork

Shun Kong Y.
$40/hr
Shun Kong Y.

JavaScript Developer

5.0/5(9 jobs)
Yuen Long, NYL
  • Trophy Icon JavaScript
  • XML
  • RESTful API
  • Microsoft Visual C++
  • OpenUI5
  • Apache Cordova
  • OAuth
  • SAP Business Objects
  • Transact-SQL
  • XSLT
  • SAP HANA
  • SAP ERP
  • C#
  • SAP BASIS
  • Amazon Vendor Central

Recently helped client: - Transformed Onix 3.0 between XML and Excel, using VBA and XSLT - Built POC on activating OAuth2 mechanism for SAP API - Deciphered legacy ABAP programs - Pinpointed performance bottleneck Calc. View - Reduced MySQL query to sub-second Skill Possessed: - SAP: ERP (FI / CO / SD / MM / PP / PS), BASIS, BO - ABAP: Report, SAPScript, Smart Scripts, BAPI, User Exits, LSMW, IDoc - Web: HTML, Javascript, oAuth, oData, OpenUI5, XML, Apache Cordova - Database: MySQL, MSSQL, T-SQL, SAP HANA (Attribute/Analytic/Calculation Views) - Programming: Java, C#, Visual Basic, C++, Excel VBA

...
Santosh Kumar P.
$35/hr
Santosh Kumar P.

JavaScript Developer

5.0/5(111 jobs)
Lucknow, UTTAR PRADESH
  • Trophy Icon JavaScript
  • Magento
  • PHP
  • Magento 2
  • Yii
  • Linux System Administration
  • Magento 2
  • MySQL
  • AWS Lambda
  • Website Development
  • SaaS
  • MongoDB
  • Git
  • API Integration

I have developed many sites from scratch using PHP and MySQL. And Have proven 8+ years of experience in this field My major skill is Magento and Magento2 Core skills are Extension and Plugin development [CMS]- Magento I have completed more than 50 extensions of Magento. Some examples: - reward system - payment methods - rental system - pos - Dynamic lightbox - address validator etc. My Magento skill set magento theme magento Theme Development And Design manipulation magneto newsletter magento version upgrade magento product import magento payment integration magento shipping method magento cms magento block magento category magento custom attribute magento frontend magento slideshow magento jquery magento Speed Optimization Design Experience Ui Design Responsive Web Design Theme Customization Website redesign Additional knowledge: jquery javascript php css3 html5 etc.

...
Ali A.
$50/hr
Ali A.

JavaScript Developer

5.0/5(12 jobs)
Gulberg, SINDH
  • Trophy Icon JavaScript
  • Database Design
  • API
  • Web Services Development
  • MySQL
  • HTML
  • Ruby on Rails
  • Amazon Web Services
  • RSpec
  • AngularJS
  • Web Development
  • PostgreSQL
  • Ruby

I've studied computer science. I have an experience of Web Development with the flavor of HTML, CSS, Bootstrap, JavaScript and other web development tools. I really enjoy this fact that thousands of users use applications that are developed by me. The ultimate dream is that one-day thousands will grow into millions or billions. I HAVE A DREAM! Overall if summarized my experience that would be exploring, organizing information, problem-solving and implementation. Languages are essential for expressing your programming skills overall. From EXPLORING attribute I have worked around lots of different languages. 1) Ruby 2) AngularJS 3) Javascript 4) Python ( a new sensation I always wanted to explore Erlang but then I found this beauty. Python leverages the Erlang VM, known for running low-latency, distributed and fault-tolerant systems, while also being successfully used in web development and the embedded software domain.) In assistance to above languages below frameworks come into play, 1) Ruby on Rails 2) Laravel 3) Django Databases are the main central storage of any web application. I got experience in both SQL and NoSQL 1) Postgres 2) MongoDB 3) SQLite 4) Mysql The game never ended on the server side for me. Frontend/public facing part of the web application has been also highly evolved. Everyone wants to use Single Page Applications - The SPAs. I got experience in the following 1) Angular JS 2) React JS Testing and Test Driven Development(TDD) is also an essential thing for any solid applications. I can write automated tests in following 1) Rspec 2) Capybara 3) Mocha Deployment is essential to distribute your application out in the wild. I got experience in the following tools and technologies 1) AWS 2) Google Cloud Platforms 3) Capistrano 4) Mina 5) Nginx 6) Passenger Phusion 7) Puma 7) Unicorn

...
Kimera M.
$35/hr
Kimera M.

JavaScript Developer

5.0/5(3 jobs)
Kampala Central Division, C
  • Trophy Icon JavaScript
  • Material Design
  • Node.js
  • TypeScript
  • React
  • RESTful API
  • React Bootstrap
  • GraphQL
  • Redux
  • Tailwind CSS
  • Adobe XD
  • Next.js
  • Figma
  • CSS 3
  • HTML5

Hi Thanks for stopping by👋 Online presence of any business is a major attribute to it's success. Every business should always make it's brand known to the general public which can easily translate into revenue. Do your needs fit into any of these questions listed below? Send me a message and we discuss about your project. 🤔Do you have an XD/Figma designs that you want to translate into reusable code using HTML, CSS, JavaScript or React Js? 🤔 Do you want a website for any business but you don't know where to start from? 🤔 Is your website not responsive enough to be used on all platforms and you want it made responsive? 🤔 Want to add a particular functionality to your website? 🤔Want to create a more engaging user experience from your brand than just displaying content on static web pages? 🤔Finding it hard as to come up with a "compelling" and a "engaging" designs and flow for your brand? 🤔 Have any API you want integrated to your designs? Name it.., I'm here to help you with anything regarding web design and development from design to trouble shooting all the errors aligned with your website to personalization of your website content and design with in a short period of time . With my expertise and knowledge, I got you covered with everything to do with web designing and development. For the past4 years, I've been building web applications for all people from individuals to businesses owners who are interested in all sorts of functionalities like E-commerce, business profiles, custom systems with custom functionalities, Custom dashboards among others. I have a very efficient workflow and process while doing all this. I have expertise in developing beautiful, professional, reliable and affordable websites I'm proficient in the following: 🌟 Languages: ✔️ HTML ✔️CSS ✔️ JavaScript ✔️ Sass ✔️ NodeJS 🌟 Frame Works ✔️ React Js ✔️ Express Js 🌟 CSS Options ✔️ Tailwind CSS ✔️ Bootstrap ✔️ Material UI ✔️ Chakra UI ✔️ Styled Components ✔️ CSS modules 🌟 Design Tools ✔️ Figma ✔️ Adobe XD 🌟Version Control ✔️ Git ✔️ GitHub ✔️ GitLab 🌟 Other Technologies ✔️ Redux ✔️ React Router ✔️ Postman ✔️ Heroku ✔️ MongoDB Here's what to expect while working with me👇: ✔️ Pixel Perfect website designs and layout. ✔️ Fully responsive websites for both Mobile and Desktop Devices. ✔️ Fully Compatible websites with all browsers like Chrome, Firefox, Microsoft Edge, etc. ✔️ Clean, editable, reusable and tested code that can be changed from time to time. ✔️ Fully tested and finished web designs and code on real devices. ✔️ Expert help on trouble shooting errors aligned with website layouts in any browser. ✔️ Quick turn around and meeting deadlines no matter the size of the project. ✔️ Effective Communication and Attention to detail on every little aspect. ✔️ Fulltime Availability. Look at some of my work in relation to web design and development as listed in the projects section. When you hire me👨‍💼, here's what we would do: 1: First, click the invite button to invite me to your job📩 2: Once there, I'll jump on a phone call with you/video call📞 or exchange ideas with you about your needs. 3: We'll go over the details, colors🎨, assets, and the entire design/look of the template, design etc., until we have reached a middle ground So, if that sounds good, click the "invite" button, and we can start right away. Thanks for taking time to view my profile 🤝. Cheers🙋‍♂️, Moses.

...
Giorgi N.
$12/hr
Giorgi N.

JavaScript Developer

5.0/5(7 jobs)
Bratislava, BL
  • Trophy Icon JavaScript
  • jQuery
  • WordPress
  • Tailwind CSS
  • Twig
  • HTML
  • HTML5
  • React
  • CSS 3
  • Front-End Development

Hi there! My name is Giorgi. I'm a web developer from Georgia, currently based in Warsaw Poland. My goal is to write clean and understandable code and deliver awesome final product. I am very persistent and detailed oriented. I am self driven, growth seeking and always willing to learn! Everyday I am motivated to strengthen my skills. Communication with people is a thing I value very much and one of my best attribute. What I'm offering you is a creation of a beautiful responsive and interactive websites with help of frameworks. I bleed javascript and am fascinated with it's powers daily. So feel free to contact me at any time and I'll be more than happy to work with you.

...
Mandeep K.
$20/hr
Mandeep K.

JavaScript Developer

4.8/5(5 jobs)
Hanumangarh, RJ
  • Trophy Icon JavaScript
  • Angular
  • Node.js
  • PHP
  • WooCommerce
  • WordPress
  • Joomla
  • Magento
  • HTML
  • CSS
  • Drupal
  • Zendesk
  • Optimizepress

✅Hello Upwork Family, ✔️🅷🅸🆁🅴 ✔️ 🅼🅴 ✔️🅽🅾🆆 Thank you so much for coming here. I'm WordPress -Woo-commerce developer. I have been working with WordPress last 8 years. I have developed a wide range web development project. Experience ================= *** html5 , css , css3 , sass , bootstrap , Custom Responsive , JavaScript , jQuery , jQuery Ui , Ajax , Gulp Automation , php , WordPress , WordPress Theme And Plugin Development , Git , Bit-bucket , GitHub ****** Provide Services =============== ** Full Functionality WordPress theme development with Woo-commerce Support. ** Custom WordPress Plugin Development ** Psd to WordPress. ** Pixel Perfect WordPress Website using page Builder. * Elementor Builder * Divi Builder * Visual Composer * SiteOrigin * Beaver Builder * Fushion Builder ** WordPress Theme Customization any kind of theme. ** Woo-commerce for eCommerce website . * Have Very good knowledge about product feature and attribute ** Psd to html. ** Psd to html with Bootstrap. ** Any Kind of WordPress problem. ** 100% responsive Website. ** Any kind of JQuery, JavaScript Problem. ** Site page Speed. (gtmetrix) , )( Google PageSpeed Insights). My aim is to give you back your project within your right time. and to work in a standard way where clients will be "SATISFIED" of my work .

...
Aghasi M.
$20/hr
Aghasi M.

JavaScript Developer

5.0/5(14 jobs)
Yerevan, YEREVAN
  • Trophy Icon JavaScript
  • WordPress
  • WordPress Development
  • WordPress Theme
  • WordPress Plugin
  • WordPress e-Commerce
  • PSD to WordPress
  • Elementor
  • HTML
  • CSS
  • PHP
  • MySQL
  • Web Design
  • Website Development
  • Website

Hello, my name is Aghasi, and I attribute my success to my ability to establish and maintain positive relationships with clients, as well as my unwavering motivation to excel in my field. I hold a Higher Education degree from a reputable university and have accumulated 9 years of experience working with HTML, CSS, Bootstrap, PHP, Javascript, MySQL, Joomla, and WordPress. Over the course of my 9-year career in web development, I have refined my skills in crafting clean and efficient code that translates to seamless user experiences. Whether you need a new website built from scratch or an existing site refreshed with a modern look, I am equipped to help. I am highly proficient (10/10) in the following areas: Setting up WordPress themes, including SEO, security, and performance plugins installation Converting PSD designs to responsive WordPress websites Converting HTML and landing pages to WordPress Customizing WordPress themes Migrating WordPress websites Optimizing WordPress website speed Providing WordPress backups and updates services Maintaining WordPress websites Restoring broken WordPress websites with premium solutions If you are seeking a skilled web developer who can bring your vision to life, please do not hesitate to reach out. I am committed to delivering top-quality work that surpasses your expectations.

...
Fabricio G.
$70/hr
Fabricio G.

JavaScript Developer

3.7/5(11 jobs)
North Hollywood, CA
  • Trophy Icon JavaScript
  • Microservice
  • PostgreSQL
  • Next.js
  • Firebase
  • NoSQL Database
  • Node.js
  • MySQL
  • TypeScript
  • Docker
  • ExpressJS
  • Tailwind CSS
  • Vue.js
  • React
  • three.js
  • SQL

Hello, I'm a Full Stack developer with about 10 years of experience specializing in MERN stack applications. I’m effective at developing strong UI’s that achieve will your objectives. Well-versed in using React, Redux, GraphQL, Typescript as well as other resources to accomplish design requirements. Skilled creator of efficient code and exciting user experiences. Eager to elevate ongoing development projects or create novel software solutions geared towards driving increased user-ship. I work with you to test every feature, update designs, integrate third-party services, add payment solutions, and ensure the best user experience. I've led the development of complex dashboards structured for e-commerce and service-based businesses. I've received positive feedback from users and have helped clients multiply their revenue. I can assure good communication, timely completion, and flexible availability. I attribute my success to my clients, so my goal is always to keep them satisfied and happy with the work I do. I am committed to using the latest best practices in web development to ensure that your website is easy to maintain, scale, and upgrade in the future. Here are the technologies I regularly use: - Front End: TypeScript, JavaScript (ES5 and ES6) React, Next.js, Redux, Thunk, Saga, React Hooks, React Native Vue, Vuex, Vuetify, Nuxt jQuery, Bootstrap, MUI, Ant Design CSS, SCSS, Tailwind CSS, Chakra UI Three.js - Back End: Node.js and Express Framework PHP, Laravel, Laravel Nova Python, Django, Django REST framework, Flask MongoDB, Mongoose, MySQL, PostgreSQL, SQLite API Integrations (Stripe, PayPal, Spotify, YouTube, Twilio, or any API you need integrated) GraphQL Firebase - DevOps: Vercel AWS EC2, SES, or S3 services Nginx, Certbot, PM2 Ubuntu servers Github Docker Kubernetes Skaffold I have experience deploying apps to various cloud providers, including Amazon AWS, Heroku, and Digital Ocean. If you're looking to create a web application for you or your business, you've come to the right place. Let me know if we can work on something together.

...
Ruchit P.
$25/hr
Ruchit P.

JavaScript Developer

4.9/5(10 jobs)
Surat, GJ
  • Trophy Icon JavaScript
  • Salesforce App Development
  • API
  • Apex
  • Salesforce Sales Cloud
  • Visualforce
  • Salesforce Lightning
  • Salesforce Service Cloud
  • Customer Relationship Management
  • Administrate
  • Salesforce
  • Administrative Support
  • API Integration
  • Salesforce CRM
  • Automation

Salesforce certified developer/consultant with 5+ years of experience in Salesforce Administration and Development, I have Administrated and operated enterprise-wide medium/large-scale applications and 2 Non-profit org. Experience in managing and custom implementations of Salesforce FSL (Field Service) Products. Salesforce Classic and Apex Development : - Automated the process of routing incoming leads to the appropriate user by defining assignment rules based on various attributes like customer type, product group, and geographical region. - Developed various business processes, record types, queues, and page layout. - Migrated visual-force page from classic to lightning mode(using lightning style sheet page attribute and also did code changes). - Managed Salesforce security including roles, profiles, sharing rules, workflows, and groups. - Reports and Dashboards building/customizations. Notify Dashboard and Reporting details to the subscribed Users over email on daily basis. - Developed Apex Triggers, Apex batch, Apex Scheduled Classes, Test classes, Custom Visualforce pages using Custom controllers and Standard Controllers. Salesforce Lightning/ APIs : - Saving and Displaying data dynamically. - Activity Scorecard generator using LWC. - Used Lightning Standard Attributes in component to ensure security and sharing as well as component reusability. - Worked on various implementations using REST, SOAP, Streaming, BULK, and Google Direction APIs. And Performed data migration and integration Using Ant Migration, Data Loader, Import Wizard, and Workbench tool. AppExchange Product : - Worked on the Development of Pure Lightning-based AppExchange Product which was aiming to convert the 200 Leads at once using interactive screen and custom configuration settings. - Worked on the development of Canvassing Management AppExchange product which was leveraging the Google Direction APIs to provide the optimized routes between available geo points on the page and allow territory-based task assignments and tracking. Trailhead Ranger with 4 x Superbadges - Apex Specialist - Lightning Experience Reports and Dashboards Specialist - Process Automation Specialist - Data integration Specialist. Additional Skill and Knowledge : - Java Web Development, Basic Python3, Bootstrap, MySQL, JSP servlet, JavaScript, J-Query, HTML/CSS, SEO Improvement. Certification: Platform Developer I

...
Harish K.
$20/hr
Harish K.

JavaScript Developer

5.0/5(36 jobs)
Chandigarh, CHANDIGARH
  • Trophy Icon JavaScript
  • Adobe Illustrator
  • CSS 3
  • Responsive Design
  • Adobe Photoshop
  • Web Development
  • HTML5
  • WordPress Theme
  • Bootstrap
  • Social Media Plugin
  • Elementor
  • Divi
  • PSD to HTML
  • Web Component Design
  • WordPress e-Commerce

Hello! I am an expert Web Developer specializing in Wordpress. My job is to turn your awesome ideas into reality as quickly as possible while keeping the design perfect and the end product free of any errors. I offer 100% perfect WordPress websites with your desired features, functionality and design. I am currently ranked in the top 10% on Upwork for WordPress, PHP, HTML, CSS, MySQL, Javascript. Over the last 8 years, I have acquired extensive experience using a variety of frameworks (primarily WordPress) to craft beautiful frontend designs, along with providing custom plugins, themes, plugin customization, speed optimization, and minor/major bug fixes. I was previously the Lead Developer at ReskyuMe, developing their Android/iOS app and website along with their backend. I help people build their dream websites and solve problems they encounter with state-of-the-art solutions. Extremely high level of reliability and responsibility is my guarantee, which is evident from all of my reviews being rated 5 stars! My Skillset involves the following : ✅ Design and Develop a WordPress website from scratch ✅ Redesign existing WordPress websites ✅ Migrate website to WordPress from other CMS/Static websites ✅ Design WordPress website based on Figma, XD or PSD design ✅ Design using Page Builders like Elementor Builder, Divi Builder, Visual Composer, Beaver Builder, ✅ WPBakery, Oxygen, Fusion Builder, etc. ✅ Woo-commerce for eCommerce website ✅ Payment Integration, Cart process, Custom product design functionality ✅ Have Excellent knowledge about product features and attribute ✅ PSD to HTML with Bootstrap ✅ WordPress Custom Post Types, Custom Taxonomy, Custom fields (ACF), Forms, and Widgets ✅ Landing Page Design for Products, Apps, and Lead generation ✅ WordPress Plugin Development ✅ WordPress eLearning websites using any Popular plugin (both free and paid) ✅ Page speed Optimization and Performance Improvement ✅ Ongoing support and maintenance for your WordPress websites ✅ WordPress Membership sites ✅ Design and Develop Affiliate websites. I consider myself a person who follows modern web development practices and new technologies, a person who never stops learning, a person who is trustworthy, responsible, respects deadlines and knows that customer’s satisfaction is the key to success. Interested in my skills? Drop me a message and let's chat about your project! Looking forward to a communicative and successful working relationship.

...
Kishan S.
$30/hr
Kishan S.

JavaScript Developer

5.0/5(50 jobs)
Ahmedabad, GJ
  • Trophy Icon JavaScript
  • PHP
  • Magento
  • jQuery
  • Magento 2
  • HTML
  • CSS
  • WordPress
  • GitLab
  • Web Design
  • Design Enhancement
  • Bug Fix
  • Website Optimization
  • Vue.js
  • Shopware

Hey, I am Kishan Savaliya a full time freelancer developer from India and have been working with eCommerce frameworks since 2016. I am an Adobe Certified Professional Magento 2 Developer. I am finicky about delivery and to do the best to deliver websites correctly in one go. This helps me in maintaining a good working relationship with my clients by providing a bridge of quality work. • eCommerce: Magento 1 and Magento 2, Shopify, Shopware, Woo-commerce • PHP frameworks: Codeigniter • CMS: WordPress Plugins/Themes development, Custom functionality Template , Blogs etc. • Front-end - HTML/HTML5, CSS/CSS3, Javascript, JQuery, Ajax, Bootstrap, etc. • APIs - Payment Gateway API, Social Media API, Google Maps API, Rest API, Backend API. ••••••••••----- What client says -----•••••••••• ✅ "Brilliant freelancer. He is the best Magento 2 freelancer I have ever worked with. So good and fast." -- Peter ✅ "Kishan is the best freelancer I worked with. He is really an excellent developer! Very knowledgeable, skilled professional. I would definitely recommend him!" - Darius ✅ "Kishan is surely the best freelancer I worked with on upwork. Always there to use his knowledge to help and sort any issue you may have in a pleasant and professionnal way." - Nicholas ✅ "Kishan is a great magento developer and he was a great asset to our organization. He worked with us for a long time and he provided to us a lot of knowledge about magento. we are very gratefull with him." - Alfredo ✅ "Kishan was great to work with. I needed a small change to my site, with an attribute adding to appear on the frontend. Kishan completed this very quickly, and had the work completed the same day. I am very happy with the work completed by Kishan and would be happy to employ his services again." - Chanette ••••••••••----- MAGENTO 2 EXPERTISE -----•••••••••• • Magento eCommerce consultation • Develop Magento 2 store from scratch • Magento 2 development • Magento 2 speed optimization • Magento 2 code optimization • Magento 2 theme customization • Magento 2 extension development • Magento 2 extension customization • Magento 1 to Magento 2 store migration • Wordpress Woo-commerce to Magento 2 store migration • Magento 1 to Magento 2 upgrade • Magento 2 version upgrade • Magento 2 bugs/error fixing • Magento 2 bulk importing • Magento 2 responsive design • Magento 2 web services development ✅ Provide Support ✅ Ongoing work ✅ Maintenance of site ✅ Marketing of site ✅ Hire Dedicated Developer ✅ Certified Developer Available ✅ Enterprise Edition work ••••••••••----- Reasons to hire me -----•••••••••• - Specific experience with Magento 1.x to 2.x Version Upgrade - Magento 2X Latest Version Upgrade - Custom Magento 2 Theme Design - Magento 2X Latest Version Upgrade - Magento 2 Template Integration - Web Design & Development - Custom Magento extension - Magento 2 open source expert - Magento 2 commerce expert - Magento 2.1, 2.2, 2.3, 2.4 Version Expert - Magento 2 Maintenance Service Feel free to contact me. Thanks, Kishan.

...
Mohsin B.
$25/hr
Mohsin B.

JavaScript Developer

5.0/5(59 jobs)
Indore, MADHYA PRADESH
  • Trophy Icon JavaScript
  • WordPress
  • Page Speed Optimization
  • Search Engine Optimization
  • Elementor
  • Web Design
  • Divi
  • Landing Page
  • PHP
  • Web Development
  • CSS
  • Adobe Photoshop
  • HTML5
  • WordPress Development
  • Web Host Manager

🏆 Top Rated on Upwork | ⭐ 5 Star Feedback | 💯 Job Success Rate 🔥 10+ YEARS EXPERIENCE in WordPress Website | Re-Design | WooCommerce | Speed Optimization | Bug Fixes Motto: Surpass clients' expectations. ;) =============== Provide Services: =============== ⭐ Fully Functional WordPress theme development with eCommerce Support ⭐ Custom WordPress Plugin Development ⭐ PSD to WordPress ⭐ Pixel Perfect WordPress Website using page Builder ⭐ Elementor Builder ⭐ Divi Builder ⭐ Visual Composer ⭐ Beaver Builder ⭐ Fusion Builder ⭐ WordPress Theme Customization any kind of theme ⭐ Woo-commerce for eCommerce website ⭐ WooCommerce Subscriptions ⭐ WooCommerce Memberships ⭐ WP REST API ⭐ WooCommerce REST API ⭐ BuddyPress/BuddyBoss ⭐Advanced Custom Fields (ACF) ⭐ Payment Integration, Cart process, Custom product design functionality ⭐ Have Excellent knowledge about product features and attribute ⭐ PSD to HTML with Bootstrap ⭐ Any Kind of WordPress problem ⭐ 100% responsive Website ⭐ Any kind of JQuery, JavaScript Problem ------------------------------------------------------------------------------------------------------- The website speed makes the first impression about your business. It’s essential to understand that you won’t get a second chance when it comes to user experience. Low website speed is one of the most frustrating things that will turn people off from your resource. High-performance websites result in high return visits, low bounce rates, higher conversions, engagement, higher ranks in organic search, and better user experience. Slow websites will cost you money and damage your reputation. By reducing the page load time you will positively impact marketing and sales processes. You’ll get higher traffic and attract more qualified leads that can be converted into customers. ✨ Importance of website speed optimization ✨ Page load time is a web performance metric that shows the time needed for a page to show on the user screen. Please check below the steps that I usually follow for optimization. ☆ Specify image dimensions ☆ Enable gzip compression ☆ Leverage browser caching ☆ Minify CSS ☆ Optimize images ☆ Specify a Vary: Accept-Encoding header ☆ Avoid a character set in the meta tag ☆ Minify JavaScript ☆ Specify a cache validator ☆ Combine images using CSS sprites ☆ Avoid CSS @import ☆ Specify a character set early ☆ Avoid landing page redirects ☆ Minimize redirects ☆ Minify HTML ☆ Avoid bad requests ☆ Enable Keep-Alive ☆ Inline small CSS ☆ Inline small JavaScript ☆ Minimize request size ☆ Optimize the order of styles and scripts ☆ Put CSS in the document head ☆ Remove query strings from static resources ☆ Serve resources from a consistent URL ☆ Serve scaled images These were a few of the services I offer, please do not hesitate to ask any questions about improving your website speed. Feel free to contact me with your project details and any questions. I will be happy to answer your questions and discuss the details of your project. If you have a tight budget we can discuss it privately, my rate is always negotiable and I will not leave you until you’re satisfied with my work. So let's dive into an interview to find out more about me.

...
Sepideh H.
$95/hr
Sepideh H.

JavaScript Developer

4.7/5(3 jobs)
Newport Beach, CA
  • Trophy Icon JavaScript
  • HTML
  • CSS 3
  • CSS Grid
  • P5.JS
  • three.js
  • React
  • Management Skills
  • Consultant
  • Troubleshooting
  • Researcher

Hiiii! My name is Sepideh, known as sepicoder on GitHub and Codepen. With a B.A. in Business and MIS(Management Information Systems) and years of experience wearing multiple hats in startup business and Tech support/Software Engineer in small and mid-size companies. I am seeking a challenging yet exciting freelance job, where I can best attribute my skills and creativity to make, perform and learn, I like to be in an environment where there is room to grow and develop. I am enthusiastic, fast learner, self motivated and bilingual with excellent communication and technical skills. I am a former National athlete, an artist, musician and nature enthusiast, mostly spending my time in nature biking, swimming, backpacking and running. I manage/perform some events where I collaborate with amazing like-minded people to offer healing and love. On my free time, I enjoy live coding and I work on personal projects which mostly involves music and 3D creations. I also donate my services as a volunteer twice a year or 3% of my yearly income, to registered and charitable organizations mostly the ones that provide aid, services, shelter and assistance to cancer patients and to people who need it the most. Let's get connected!

...
Swaraj J.
$45/hr
Swaraj J.

JavaScript Developer

4.6/5(9 jobs)
Pune, MAHARASHTRA
  • Trophy Icon JavaScript
  • Salesforce Marketing Cloud
  • Salesforce Lightning
  • Salesforce App Development
  • Apex
  • Salesforce Sales Cloud
  • Salesforce Service Cloud
  • HTML5
  • CSS
  • Salesforce CRM
  • JSON API

I’m a certified Marketing Cloud Email Consultant and have 6+ years of experience in SALESFORCE development and Marketing Cloud Implementation. My Domain Experience: Airlines, Automobile Industry, Health Care, Banking, Finance, Insurance, Tourism, Automotive, Education, E-commerce, Real Estate, and Service Industry. Working as a Senior System Executive. Having 4+ years of experience with Salesforce marketing tools like- Email Studio, Web Studio, Contact Builder, Mobile Studio, Automation Studio, Journey Builder and Social Studio I have expertise in SFMC configuration like- Designing Journey, Emails Templates for Campaigns & Newsletters using Ampscript and SSJS, Interactive Email Forms, Automations, Transactional Journeys, Salesforce Marketing Cloud Connect, Attribute Groups and Populations, Managing Contacts, Verification of account configuration, Sender authentication package, IP Warming, MobileConnect setup, Creation of Custom Preference Center and Designing Cloud Pages for various Marketing Campaigns. Along with SFMC knowledge, I also have a strong Salesforce Development Background and good experience in developing - Lightning web components, Lightning components, Lightning applications, Lightning Pages, Visualforce pages, Communities, HTML, JavaScript, CSS, Apex development(Triggers, batches, SOQL, SOSL, REST and SOAP integrations, etc.) and SFDC configurations (Workflow, Process Builder, Flows, Approval Process, Assignment Rules, Escalation Rules, Role Hierarchy, Security settings, Validation rules, Metadata API, Salesforce Sites, OWD, Sharing rules, Manual sharing, Data management tools data loader/Import Wizard). I have extensive experience in Salesforce Marketing Cloud Cloud Implementations and have a good understanding of the overall Salesforce Ecosystem. I also have Adobe Photoshop knowledge as designing is my hobby, I can even be helpful with template and wireframes designing. I am a Salesforce geek and excellent at client communication.

...
Albert H.
$75/hr
Albert H.

JavaScript Developer

5.0/5(1 job)
Arcadia, CA
  • Trophy Icon JavaScript
  • HTML
  • Web Design
  • PHP
  • CSS
  • Wix
  • Shopify
  • WordPress e-Commerce
  • WordPress Development
  • React
  • React Native

"I have to say, I was very impressed to see the website transform from a few key ideas, photos, and magazine articles, to a complete vehicle to provide all aspects of my business to my clients. One of my personal favorite parts of the website, which I attribute to Albert, is the art work. I am always receiving compliments on my beautiful website" - Dave Acevedo, HanakoKoiponds.com 2017. Does a smile appear on your face when you see sales coming into your business? Do you dream of lying on a hammock as cash would flow passively into your eCommerce site? Most importantly, are you committed to working towards your financial goals? Get ready to maximize your results now! Whether you are looking to build a great sales funnel or a powerful tool for marketing purposes, you've come to the right place. Today, more and more consumers use the internet to search for products or services they need. To grab attention, your business needs a website to gain respect and credibility. Without one, potential customers will end up choosing your competitors who are smart enough to establish a strong online presence. If you already have a website but it is "home-made", having it professionally redesigned will provide your business with a professional image and it will therefore inspire even greater confidence. My primary goal is to understand your needs and where you want to take your business. I have over 25,000 hours of development experience and I have generated brilliant results for multiple clients on Upwork. Thus, I can deliver the same to you. If you want a website that will blow people's minds away, keep reading. What can you expect: 1. I will always be on time. 2. I deliver what I promise. 3. We can work together for an extended period of time. 4. I will provide unique solutions to any business challenges that you have. 5. Your website will be tested over and over again to ensure functionality. 6. Your website will attract visitors. Let's see if we are a good fit together. Message for inquiries about your needs. Kick start your business now!

...
Md Sharif Uzzaman R.
$75/hr
Md Sharif Uzzaman R.

JavaScript Developer

5.0/5(3 jobs)
London, ENG
  • Trophy Icon JavaScript
  • PHP
  • 3D Product Rendering
  • web3.js
  • Laravel
  • API
  • API Integration
  • Photorealistic Rendering
  • React
  • MySQL
  • Cryptocurrency
  • Custom PHP
  • Bootstrap
  • 2D Animation
  • 3D Design

⚙️ I can solve any bugs and errors. If you're having problems with your website, and also can make very secured web application as per your requirements. I'm likely to be able to help. And also I can do any kind of 3D Design and High Realistic Rendering and any Motion Graphics, any kind of VFX that's look like super realistic in your footage. Anything I can do as per your requirements in this creative industries. I am expert in bellow. 1. Expert in WordPress and Woocommerce 2. WordPress Builder of your choice (Oxyzen Builder, Elementor Builder, Wp Bakery Builder) 3. Approach to essential operations from a technical standpoint (less plugin for best results) 4. Search engine optimization, security, and accessibility 5. Improved speed (GT metric / Page speed) 6. Media and image optimization (photoshop batch again no plugin) 7. Business support that is quick and efficient 8. Cinema 4D 9. Adobe After Effects 10. Element 3D 11. Redshift I'd love to assist online company owners with their stores and websites since I have more than 6 years of expertise in web / Ecommerce based on Woocommerce and WordPress. It's wonderful to have a nice website, but it's much better to have a website that turns visitors into leads. Throughout my experiences, I was able to see the progress of e-commerce and apply my knowledge to convert as many people as possible into consumers. I've been using the woodman theme for several years, and it allows me to provide a variety of websites and suit all of my clients' needs. Each website is completely designed to provide visitors with the finest possible experience while also properly meeting the demands of my customers. I utilize Elementor and wp Bakery to build beautiful websites with engaging pages and a great user experience. Throughout my work, I've had the chance to start internet enterprises in a variety of industries and niches. In this way, I can assist my customer with their go-to-market strategy via their website. ✔️ Laravel Expert ✔️ LiveWire Expert ✔️ JavaScript Expert ✔️ Fully Automated Websites in laravel ✔️ Backend Api's Expert ✔️ Configuration of google ads/analytics ✔️ Implementation of customized tracking ✔️ Product catalog for shopping flow ✔️ Optimized attribute management ✔️ Topic cluster ✔️ Custom features Nothing eludes my notice. I am a perfectionist who completes my work on schedule. Please do not hesitate to contact me if you would want to verify my references. I've already collaborated with national leaders and multinational corporations.

...
Stephanie D.
$90/hr
Stephanie D.

JavaScript Developer

4.9/5(8 jobs)
Palmertown, CT
  • Trophy Icon JavaScript
  • SQL
  • QuickBase
  • QuickBooks Online API
  • Intuit QuickBooks
  • Database Design
  • Database Modeling
  • Database Testing
  • Database Management
  • PHP

I work full-time as an Operations Manager to make processes more efficient. I've helped eliminate countless spreadsheets, merged data from multiple systems into a structure I helped design & build, written custom report pages, set up automatically triggered notifications, scheduled report deliveries, and much more. I want to empower your business not only to save time & money by automating manual processes, but also to make more informed decisions by providing clear, concise reporting. I love what I do. It's very rewarding to be able to say "Yes, of course we can make that better!" and also be able to deliver on that promise quickly. Using a low-maintenance database platform called Quick Base, I'm able to do this in a matter of weeks rather than months. Additionally, I would be more than happy to train a member of your staff on how to maintain & make updates to the database--no programming knowledge required, just a computer savvy employee will do the trick! Please read our company's case study/success story with Quick Base if you're interested. I will place a link in the portfolio section. Thanks for reading, hope to speak with you soon!

...
Robert H.
$50/hr
Robert H.

JavaScript Developer

5.0/5(21 jobs)
Ocklawaha, FL
  • Trophy Icon JavaScript
  • HTML5
  • CSS 3
  • jQuery
  • PHP
  • SQL
  • WordPress
  • Joomla
  • Microsoft Office
  • Responsive Web Design

I have a love of Web Development and IT in general that I bring to all my work. I am meticulous and am always learning more about my field to both stay current and to expand on my skills. I have about 6 years of experience working in this field plus a couple more years setting up websites and doing programming while I was learning, I have a real love of IT and Web Development. I find the whole field endlessly fascinating. I have a problem-solving attitude so bring on your problems and I will get them fixed. As a Mensa member I am able to add on new needed skills and knowledge very quickly. • Excellent problem-solving skills • Specializing in WordPress • Proficiency with Systems Administration and Tech Support work • Expertise creating and maintaining hundreds of websites • Active Directory and Windows Server experience • Experienced at troubleshooting websites and fixing hacked sites • Proficient in WordPress, Joomla and coded sites • Familiarity with Adobe Products (Web Premium CSS5) • Skills with Microsoft Office Products If something is wrong with your WordPress site I can probably fix it for you. I will also give recommendations for improvements for any site I work on. Forms, PHP, JavaScript, CSS or HTML just let me know what you need. If something is broke, hacked or you just want a change or something added let me know. Everything from a brand new site to fixing a hack to a Site Maintenance Contract. I can present my resume, portfolio and references on request CERTIFICATIONS • W3Schools certifications in HTML (with Excellence), CSS (with Excellence), JavaScript (with Excellence), jQuery (94%) and PHP (90% and includes SQL). With Excellence awarded for test scores of 95% or better. • HIPAA certifications in HIPAA Security and HIPAA Awareness for Healthcare Providers from HIPPATraining.org. Valid from Jan. 2019 through Jan. 2021.

...
Eman H.
$60/hr
Eman H.

JavaScript Developer

4.9/5(13 jobs)
Zagazig, SHARQIA
  • Trophy Icon JavaScript
  • Blockchain Architecture
  • Ethereum
  • Blockchain
  • Blockchain Development
  • Solidity
  • Node.js
  • Smart Contract
  • React
  • Rust
  • Web3
  • Blockchain Security
  • NFT
  • Solana
  • Polkadot

I’m a Devcon scholar Alumni at Ethereum Foundation and was selected as one of the top ten scholars in the Devcon scholar program in Osaka 2019. Furthermore, I am a blockchain mentor and reviewer at Udacity, blockchain full-stack developer, Ambassador for ConsenSys Quorum and Status Network, Gitcoin Kernel Fellow, and truffle university alumni with a professional master’s degree in cloud computing networks from Cairo University. I’m interested in onboarding blockchain enthusiasts from the Arab world and in late 2020, I have founded Arabs in Blockchain as an open community to empower the Arab world in blockchain through organizing events & mentorship programs and increasing the Arabic content in blockchain. I was featured by Fintech reviews at the international women’s day as one of the top 21 blockchain leaders as well as invited to speak at many international conferences. As a Devcon scholar, I’m a certified fromEthereum Foundation in Devcon5 Osaka, Japan as Devcon 5 scholar certification: Token ID [#16], Ethereum Mainnet Certification Contract: 0xFB11B8641bc4539b16CaB5c07a47977bcf86fd5B. I was rewarded as one of the top ten scholars in our graduation ceremony. Truffle University Student: I am a student in Truffle university Jan 2020 cohort which only accepts mid- to senior-level engineers passionate about blockchain development. As Devcon scholar committee lead : I have been chosen as a Devcon scholar committee lead as a volunteer. The Devcon Committee will help the Devcon Scholars management team ensure that next year’s program is a success and the program builds upon previous feedback. Devcon Scholars Program is an Ethereum Foundation initiative designed to provide an opportunity for Ethereum ecosystem-members from underserved communities, unique circumstances, or developing areas to attend the largest annual gathering in the Ethereum ecosystem. Ethereum contribution and volunteering work : Check ethereum-org-website#contributors- section, you can find my GitHub profile in the contribution list . Technical writer: To read my articles, my medium @emanherawy One of my articles “ about Ethereum yellow paper “ was translated into Chinese As a blockchain full stack developer : I have 2 years of experience in the blockchain domain of 4 years of experience in web development. To name some of my skills stack; -Blockchain Cryptography, Ethereum: solidity, Truffle, web3, openzeppelin HyperLedge : Fabric & composer Stratis Ipfs Quorum hyperledger besu Swarm bitcoin DAOStack Programming: C#, js -Front End React, Angular, ionic, Bulma, sass,html5, jquery, css3, bootstrap -Back End Nodejs, asp.net core 2,asp.net Api 2, asp.net MVC, MS SQL Server, MongoDB, SSRS, Entity framework6, entity framework core 2 -Cloud Platforms Aws ec2, Amazon S3, firebase, bluemix - DevOps: Docker Kubernetes Cloud: Emc CIS, Vsphere. To name some of my certificates : 1- Devcon scholar from Ethereum Foundation 2- Blockchain Developer - Mastery Award From IBM 3- Blockchain Developer - Explorer Award from IBM 4-Blockchain Developer Program from ConsenSys Academy 5- Blockchain: Foundations and Use Cases from ConsenSys Academy 6- Blockchain for Business - An Introduction to Hyperledger from Edx 7- EMC Academic Associate from Dell EMC I am flexible & can adjust my working hours to the required hours. All that I need to tell me what you need and you will have my commitment.

...
Discha Ari Kusuma D.
$36/hr
Discha Ari Kusuma D.

JavaScript Developer

5.0/5(1 job)
Tuban, EAST JAVA
  • Trophy Icon JavaScript
  • Artificial Intelligence
  • Data Science
  • MATLAB
  • Python
  • WordPress
  • PHP
  • Laravel
  • jQuery
  • Vue.js

Hi, I'm a Profesional Machine Learning Engineer and Fullstack Developer. My career started in 2015. My competency is in Machine Learning, Matlab, Python, PHP, Wordpress, Laravel, and VueJS Matlab and Python are my experts with more than 5 years experience. Both of them I always use for various data processing such as cellular provider customer service, ecommerce service, and other service. I have analyzed various system such as mountain mitigation systems, ocean wave systems with various methods such as Neural Network (NN) and Fuzzy Logic. Beside these methods, I'm ready to learn new analyst method, where it makes my work better, faster and more efficient. For Fullstack Developer, I have experience building and maintaining website PHP like WordPress, Laravel, CodeIgniter. Also more expert with VueJS, and ReactJS. Skills Data Scientist 👉 Machine Learning 👉 Matlab 👉 Python Skills Fullstack Developer 👉 Website Optimize: CoreWebVitals 👉 FrontEnd FrameWorks : VueJS, ReactJS, NextJS 👉 PHP Framework : Laravel, CodeIgniter, Symfony 👉 CSS Framework : Bootsrap, Tailwind 👉 CMS : Wordpress 👉 Front End Development 👉 Javascript, jQuery 👉 Unit test (Jest) Thank you for your attention.

...
Yan O.
$40/hr
Yan O.

JavaScript Developer

5.0/5(6 jobs)
Kiev, Ukraine
  • Trophy Icon JavaScript
  • React
  • Node.js
  • HTML5
  • CSS 3
  • jQuery
  • ECMAScript 6
  • C#
  • MongoDB
  • Unity
  • Flutter
  • Golang
  • Docker
  • API Integration
  • API Development

Hello World! My name is Yan and I am React.js/Node.js developer. I consider my self rather experienced both with front-end and back-end. I really like to know how and why everything works (or not..). The list of skills may look like: HTML, CSS, JAVASCRIPT, C#, XML, XSL, REACT.JS, NODE.JS, FLUTTER, ADOBE PHOTOSHOP, BLENDER, GIMP, INKSCAPE, UNITY3D. Opened for any reasonable project and ready to invoke all my skills for the best results

...
Stefano M.
$90/hr
Stefano M.

JavaScript Developer

5.0/5(2 jobs)
Verona, VR
  • Trophy Icon JavaScript
  • Technical Project Management
  • Flutter
  • Python
  • React Native
  • Spree
  • API
  • Golang
  • Ruby
  • Shopify
  • Node.js
  • React
  • ExpressJS
  • Vue.js
  • Ruby on Rails

Nice to meet you! I am a CTO as a Service and entrepreneur from Italy. I started my development career in 2006 and since then I've worked with many interesting technologies, such Node, Ruby, Python and Go. As a CTO as a service, I can help your Company in a wide range of manners: - Early project stage: Helping the project owner with a strategy Defining the product roadmap (short and long term) Team hiring and training Data analysis Database design Defining application architecture Designing infrastructure architecture Choosing the right programming language and technical stack Building a PoC project Project setup and startup - During development: Team management (or your offshore team) Tasks estimation Tasks prioritization Applying agile practices Code quality review Quality assurance and testing processes Choosing a scaling strategy Choosing when and how to refactor the code Minimizing the technical debt - Project release: Assuring the quality of the final product Writing technical documentation Short and long term maintenance strategy Planning the quality assurance and testing processes Choosing a scaling strategy Defining the optimization strategy Choosing when and how to refactor the code During last 15+ years, I built every kind of web application, from monoliths to micro services to IoT related boards to every kind of client's ideas. I have dealt with: - platforms that optimize working flows - ecommerce (Spree) - quoting applications - employees evaluation and training - IoT dashboards - booking engines - mobile applications - business intelligence dashboards - ticketing systems - digital platforms for link building and digital pr - elearning tools - digital payments Currently, I'm helping clients all over the world to startup their challenging projects. Why trusting me? Because I'm a developer first, a highly skilled backend CTO and an entrepreneur. Hire me for your next big project. Stefano Mancini

...
Aidan H.
$45/hr
Aidan H.

JavaScript Developer

5.0/5(28 jobs)
Portland, OR
  • Trophy Icon JavaScript
  • HTML5
  • CSS 3
  • Sass
  • Responsive Web Design
  • Angular 4
  • React
  • Adobe Illustrator
  • Adobe Photoshop
  • jQuery

I've been working professionally for over 5 years as a developer. Although I began specializing in coding pixel perfect front ends from designs, I have expanded into a full stack developer over the last few years: helping to build out complex web and mobile apps--from a decentralized marketplace, to a news aggregator mobile site, a telehealth app, and more. I've helped build API's, design and implement databases, create data architecture, deploy and connect complex decentralized web systems, and more. I specialize in Node and React, however I have also built and modified PHP, Python, Ruby on Rails, Angular, and Sass. I enjoy challenging work and delivering a great product on time. I prefer working remotely, but if a client is near I have no problem working in person.

...
Saba C.
$80/hr
Saba C.

JavaScript Developer

5.0/5(1 job)
Tbilisi, T'BILISI
  • Trophy Icon JavaScript
  • Amazon Web Services
  • AWS Lambda
  • AWS CodeDeploy
  • GraphQL
  • Serverless Stack
  • NestJS
  • PostgreSQL
  • Kubernetes
  • Docker
  • Linux
  • Node.js
  • Jenkins
  • TypeScript
  • Terraform
  • MongoDB
  • AWS CloudFormation
  • Ansible

7x Certified DevOps Engineer with over 4 years of experience of working in the computer software industry as Back-end and DevOps Engineer, Good understanding of Design Patterns and Best Practices. AWS, NodeJS, FP Enthusiast. Skilled in AWS.Cloud, Docker, Kubernetes, Terraform, CloudFormation, JavaScript, Typescript, Node.js. Experience working with REST and GraphQL APIs. Excellent reputation for Strong engineering and problem solving skills.

...
Izhar O.
$65/hr
Izhar O.

JavaScript Developer

5.0/5(17 jobs)
Fridley, MN
  • Trophy Icon JavaScript
  • Adobe XD
  • Figma
  • Yoast SEO
  • UX & UI
  • WordPress
  • CSS
  • Website Optimization
  • React
  • Bug Fix
  • Page Speed Optimization
  • Divi
  • PHP
  • Graphic Design
  • Landing Page

Full-stack developer with expertise in WordPress development and UX/UI design, I'm here to offer you top-quality services that will bring your vision to life. With over 7 years of experience in web development, design, and digital marketing, I have a proven track record of delivering high-quality projects that are both functional and visually stunning. My experience in full-stack development enables me to take a comprehensive approach to all of my projects, ensuring that every aspect of your website or platform is perfectly integrated and optimized for maximum functionality and user experience. I am well-versed in all aspects of the project life cycle, from design to implementation to integration, and I am comfortable working in both team and individual settings. Whether you're looking for a custom-built website or an e-commerce platform, I have the skills and expertise to bring your vision to life. I am comfortable working on both the frontend and backend of every project. I have worked with a wide range of clients, from large B2B corporations to local small businesses, and I'm always up for a new challenge. I am proficient in a wide range of frameworks, software, and programs. Here are some of the skills I specialize in: - CMS: WordPress, WooCommerce, Squarespace, Shopify, Pixiset, and Wix - Languages: CSS, HTML, JavaScript, PHP, React, Flutter, React Native, SQL, Laravel, Firebase, SupaBase - Graphic Design: Adobe Photoshop, Illustrator, Adobe XD, InDesign, Figma, Affinity - WordPress Builders: Divi, Elementor, Gutenberg, Goodlayers, Cornerstone, Avada, Beaver Builder, WP Bakery, Visual Composer, Themify - Website Integrations: User access only, memberships, age verification, payment gateways, online course platforms - Website Site Speed Optimization to under 3 seconds and a Pagespeed score above 90 - Responsive design across all platforms and devices - Marketing: Facebook pixel, Facebook ads, Instagram ads, Google ads, Google Analytics, SEO - Email Marketing: Mailchimp, HTML/CSS templates I am confident in my ability to handle any web development or design project, regardless of scope, and my commitment to quality, attention to detail, and dedication to exceeding expectations is what sets me apart. Let's work together to bring your project to the next level!

...
Toru I.
$53/hr
Toru I.

JavaScript Developer

5.0/5(59 jobs)
Fuchu, TOKYO
  • Trophy Icon JavaScript
  • HTML
  • PSD to HTML
  • HTML5
  • Squarespace
  • WordPress
  • CSS
  • jQuery
  • CSS 3
  • Shopify
  • Website
  • Responsive Design

Hi, I'm Toru who is a Japanese Front-end Web Developer works in NY and Tokyo. My experience of web developing is over 6 years. I usually make Responsive Web Site for clients. I can use the following web languages. Web Languages: - HTML - HTML5 - XHTML - Bootstrap - CSS - CSS3 - JavaScript - jQuery I also help making or update your Squarespace and Wordpress site too. CMS Skills: SquareSpace WordPress Shopify Other Skills: DNS Setting Web Hosting Responsive Web Development PSD(Photoshop) to HTML Cross-Browser Development Browser Developer Tools Moving to Squarespace from WordPress Please feel free to contact me :)

...
Lee H.
$40/hr
Lee H.

JavaScript Developer

4.6/5(5 jobs)
Phoenix, AZ
  • Trophy Icon JavaScript
  • Microsoft Visual C++
  • C#
  • HTML
  • C++
  • Audio Production
  • Audio Engineering
  • Digital Audio Recorder

I’ve spent most of my career developing Windows applications using C++ and, later, C#. During that time it’s been necessary to attain a working knowledge of many other technologies, including ASP.NET, WPF, Active Directory, MFC, SQL Server, DirectShow, COM, HTML, Javascript, Git. I have been making a living writing code for 30 years.

...
Want to browse more talent?Sign Up

Join the world’s work marketplace

Find Talent

Post a job to interview and hire great talent.

Hire Talent
Find Work

Find work you love with like-minded clients.

Find Work