Category Archives: Root

Proxy Pattern

Proxy Pattern:

“Proxy is a structural design pattern that lets you provide a substitute or placeholder for another object. A proxy controls access to the original object, allowing you to perform something either before or after the request gets through to the original object.

A credit card is a proxy for a bank account, which is a proxy for a bundle of cash. Both implement the same interface: they can be used for making a payment. A consumer feels great because there’s no need to carry loads of cash around. A shop owner is also happy since the income from a transaction gets added electronically to the shop’s bank account without the risk of losing the deposit or getting robbed on the way to the bank.

Click on the images to see them clearly.

In the above UML class diagram, the Proxy class implements the Subject interface so that it can act as substitute for Subject objects. It maintains a reference (realSubject) to the substituted object (RealSubject) so that it can forward requests to it (realSubject.operation()).

UML Class Diagram

https://refactoring.guru/design-patterns/proxy

https://en.wikipedia.org/wiki/Proxy_pattern

Java: Facade Design Pattern

Façade Pattern

“Facade is a structural design pattern that provides a simplified interface to a library, a framework, or any other complex set of classes.”

“When you call a shop to place a phone order, an operator is your facade to all services and departments of the shop. The operator provides you with a simple voice interface to the ordering system, payment gateways, and various delivery services.”

For a clear view, click on the images (images are from Wikipedia)

Ref: https://refactoring.guru/design-patterns/facade

https://en.wikipedia.org/wiki/Facade_pattern

Java : Decorator Design pattern

Decorator Design pattern:

Decorator is a structural design pattern that lets you attach new behaviors to objects by placing these objects inside special wrapper objects that contain the behaviors.

Example:

Assume: A notifier class/object can send only email messages. But the application at a later time may want to use text/SMS, FB, or similar messages. With decorator pattern: decorate the Notifier class with other behaviours such as send SMS, send fb message, send twitter message (i.e. may create additional classes/objects (create link to original notifier class with interfaces/inheritance and aggregations/compositions) ). Then the client can use the original notifier class/object but dynamically point to the other classes/objects and use the corresponding sendMessage() method/behaviour for SMS, Text, FB, Twitter or similar messaging/notification.

Note: Inheritance/subclasses can be a choice but they have limitations. Aggregations/Compositions/interfaces will be used for the purpose of Decorator pattern.

Note: “When does a simple wrapper become the real decorator? As I mentioned, the wrapper implements the same interface as the wrapped object. That’s why from the client’s perspective these objects are identical.

Ref: https://refactoring.guru/design-patterns/decorator

https://en.wikipedia.org/wiki/Decorator_pattern

MicroK8s Commands in Ubuntu

MicroK8s Commands in Ubuntu
(- - use double hyphen)

Install
sudo snap install microk8s - -classic
sudo snap install microk8s - -classic - -channel=1.25/stable

Allow Through: Firwall
sudo ufw allow in on cni0 && sudo ufw allow out on cni0
sudo ufw default allow routed

Enable Add Ons
microk8s enable dns
microk8s enable dashboard
microk8s enable storage

You can disable when you need
microk8s disable dns
microk8s disable dashboard
microk8s disable storage

Kubernetes Dashboard
microk8s kubectl get all - -all-namespaces

Retrieve Token
token=$(microk8s kubectl -n kube-system get secret | grep default-token | cut -d " " -f1)
microk8s kubectl -n kube-system describe secret $token

Host your service in Kubernetes
microk8s kubectl create deployment microbot - -image=dontrebootme/microbot:v1
microk8s kubectl scale deployment microbot - -replicas=2

Create service
microk8s kubectl expose deployment microbot - -type=NodePort - -port=80 - -name=microbot-service

Check cluster after a few minutes
microk8s kubectl get all - -all-namespaces

Misc Commands
microk8s status
microk8s enable
microk8s disable
microk8s kubectl
microk8s config
microk8s istioctl
microk8s inspect
microk8s reset
microk8s stop
microk8s start

Ref: https://ubuntu.com/tutorials/install-a-local-kubernetes-with-microk8s#1-overview

Oracle Advanced SQL Clauses

Group By

group by attr1, attr2

group by ROLLUP(attr1, attr2)

group by CUBE(attr1, attr2)

Rank, Dense_RANK, ROW_number:

RANK() OVER (ORDER BY PRICE) as "PR",
ROW_NUMBER() OVER (ORDER BY PRICE) as "PR"
DENSE_RANK() OVER (ORDER BY C DESC NULLS LAST) as "R"
DENSE_RANK() OVER (PARTITION by C ORDER BY P) as "PR"
RANK() OVER (ORDER BY P) as "PR"
avg(C) OVER() AS "AC"
MIN(Y) KEEP (DENSE_RANK FIRST ORDER BY Y) as "FirstItem"
MIN(Y) KEEP (DENSE_RANK LAST ORDER BY Y) as "LASTItem"

Hierarchical Query:

START WITH employee_id = 102
CONNECT BY FOLLOWING m_id = e_id;

Keep First or Last Row

KEEP (DENSE_RANK FIRST ORDER BY …)
KEEP (DENSE_RANK LAST ORDER BY …)

PARTITION BY on RANK/Dense_Rank

RANK()
RANK() OVER
RANK() OVER PARTITION BY
DENSE RANK() OVER
DENSE RANK() OVER PARTITION BY
PARTITION BY …. ORDER BY
ROW_NUMBER() OVER (ORDER By …)
ROWS BETWEEN Unbounded Preceding and CURRENT ROW
RANGE BETWEEN INTERVAL 5 DAY PRECEDING AND INTERVAL '5' DAY Following
ROWS BETWENN 1 PRECEDING and 1 FOLLOWING
DENSE RANK() OVER (PARTITION BY .....)
DENSE RANK() OVER (PARTITION BY .....ORDER BY ...)

Lombak, Getter Setter Example

Ref: https://projectlombok.org/features/GetterSetter

import lombok.AccessLevel;
import lombok.Getter;
import lombok.Setter;

public class GetterSetterExample {
/**
* Age of the person. Water is wet.
*
* @param age New value for this person's age. Sky is blue.
* @return The current value of this person's age. Circles are round.
*/
@Getter @Setter private int age = 10;

/**
* Name of the person.
* -- SETTER --
* Changes the name of this person.
*
* @param name The new value.
*/
@Setter(AccessLevel.PROTECTED) private String name;

@Override public String toString() {
return String.format("%s (age: %d)", name, age);
}
}



"Project Lombok is a java library that automatically plugs into your editor and build tools, spicing up your java.
Never write another getter or equals method again, with one annotation your class has a fully featured builder, Automate your logging variables, and much more."

PHP Topics to Learn

Identifiers https://docstore.mik.ua/orelly/webprog/php/ch02_01.htm#:~:text=An%20identifier%20is%20simply%20a,ASCII%200x7F%20and%20ASCII%200xFF. PHP Data Types https://www.odinschool.com/learning-hub/php/datatypes Type Hinting https://www.honeybadger.io/blog/php-type-hinting/#:~:text=Type%2Dhinting%20means%20explicitly%20stating,to%20write%20more%20robust%20code. PDO and MySQL https://www.w3schools.com/php/php_mysql_connect.asp PHP OOP https://www.w3schools.com/php/php_oop_what_is.asp abstract classes https://www.w3schools.com/php/php_oop_classes_abstract.asp Abstract vs Interface https://www.w3schools.com/php/php_oop_interfaces.asp#:~:text=PHP%20%2D%20Interfaces%20vs.%20Abstract%20Classes&text=Interfaces%20cannot%20have%20properties%2C%20while,abstract%20keyword%20is%20not%20necessary , methods, interfaces, and inheritance Pillars of OOP The Four pillars of OOPs, abstraction, encapsulation, inheritance, and polymorphism, are integral to understanding and using OOP
Four Pillars of OOPs (Object Oriented Programming) | In-Depth | Data Trained.
Four Pillars with Examples: https://www.geeksforgeeks.org/four-main-object-oriented-programming-concepts-of-java/ Magic Method https://www.php.net/manual/en/language.oop5.magic.php https://www.geeksforgeeks.org/what-are-magic-methods-and-how-to-use-them-in-php/ Overloading and Magic Methods https://www.geeksforgeeks.org/overloading-in-php/

MS SQL Server Dynamic SQl, T-SQL

MS SQL Server
Dynamic SQl, T-SQL

  • Mostly:

  • Dynamic SQL

  • Stored Procedure

  • Trigger

  • Cursor

  • Function

  • Sayed Ahmed

What are the Most Important
Most Used

  • Design ERD

  • Convert ERD to database

  • Normalization

  • Indexing

  • SQL

  • Stored Procedure

  • Dynamic SQL

  • These will come, not too frequent

  • Function, User Defined Data Types, Temporary Table

  • Trigger, Cursor

  • SSRS, SSIS, SSAS

  • ML in SQL Server (in advanced level)

  • May not be important initially

Today

  • More on

  • Dynamic SQL

  • Stored Procedure

  • Cursor

Basics of Stored Procedure

From Northwind Database

Dynamic SQL

  • DECLARE    @table NVARCHAR(128), @sql NVARCHAR(MAX);

  • SET @table = N'Products'

  • SET @sql = N'SELECT * FROM ' + @table;

  • EXEC sp_executesql @sql;

Convert the previous to a stored procedure

Using dynamic SQL to query from any table    of Northwind Database

Write a stored Procedure for it
table name as the parameter

Create or ALTER      Procedure    [dbo].[usp_query] ( @table NVARCHAR(128))
AS
BEGIN

Some Topics to Know and Understand to prepare for a DBMS related Job Interview

Some Topics to Know and Understand
to prepare
for a DBMS related Job Interview

ACID

Database Normalization

  • 1NF: No repeating groups possible for a cell, PK identified, dependencies mapped

  • 2NF: No Partial Dependence. Non key attributes must have to depend on the full key

  • 3NF: No transitive dependency. non key attributes must have to depend on the primary key, not on any other attributes. if there is another candidate key, still that is in 3NF

  • BCNF: 3NF satisfied but multiple candidate key exist then BCNF required

  • 4NF: Multivalued Dependency exist. Need to remove that.

  • 5NF: Do not have Join dependency

4NF: Normalization

Normalization

Read Misc.: PL/SQL, T-SQL

Cursors, Triggers, Functions, Stored Procedures

Oracle Misc.

Oracle Admin and Policies

Misc. Oracle

MongoDB Misc.


Sayed Ahmed
Professor, Software Engineer, Data Scientist, and ML EngineerPart-time Professor and Course Facilitator at Colleges in Ontario, Canada
Extensive experience in Software Development and Engineering
Significant experience in Teaching.
Taught in Universities, Colleges, and Training Institutes
Master of Engineering (MEng.) in Electrical and Computer Engineering (McMaster University) (Changed Ph.D. Studies to MEng)
MSc in Data Science and Analytics (TMU/Ryerson)
MSc in Computer Science (U of Manitoba)
BSc. Engineering in Computer Science and Engineering (BUET).
(Session: 1994-95 to 1996-97 Class: 1996 to 2001)

Linkedin: https://ca.linkedin.com/in/sayedjustetc

Putin Slams Russian mercenary revolt as ‘treason’: Weekend Reads

Best of Bloomberg Opinion This Week

Five Takeaways From Paris Summit to Fix Global Climate Finance

Best of Bloomberg Explainers This Week

IBM nears $5 billion deal for software provider Apptio, Wall Street Journal reports

Tweet Share

IBM nears $5 billion deal for software provider Apptio, Wall Street Journal reports

YouTube is testing an online-games offering, Wall Street Journal reports

Amazon raises investment in India to $26 billion by 2030

EU, Meta agree to July stress test on EU online content rules

Japan's JSR says it is considering being bought by state-backed JIC

imp?s=863086&li=&e=sayedum@gmail.com&p=31893149&stpe=static
imp?s=872197&li=&e=sayedum@gmail.com&p=31893149&stpe=static
imp?s=831895&li=&e=sayedum@gmail.com&p=31893149&stpe=default

Hermes wins permanent ban on 'MetaBirkin' NFT sales in US lawsuit

SolarWinds executives receive Wells notice from US SEC

US House panel critical of Twitter probe to question FTC chair at July 13 hearing

US lawmaker to re-introduce bipartisan bill to get EV industry into biofuel program

SpaceX tender offer values company at about $150 billion - Bloomberg News

Week in Review – OceanGate fires a whistleblower, hackers threaten to leak Reddit data, and Marvel embraces AI art

OceanGate fired a whistleblower:

Hackers threaten to leak Reddit data:

Reddit protests continue:

Google Pixel Tablet review:

Microsoft gets serious about quantum:

WhatsApp gets automatic silencing:

Marvel’s AI art controversy:

Board members quit Byju’s:

Europe’s and Israel’s unicorns:

Coinbase, the next super app:

AI infiltrates crowdsourced work:

Read more stories on TechCrunch.com

Newest Jobs from Crunchboard

Livewire v3, Laravel Tailwind Merge, Cross-Origin Resource Sharing, and more! – №467

Your Laravel week in review ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏


Laravel News

Livewire v3, Laravel Tailwind Merge, Cross-Origin Resource Sharing, and more! - №467

Week 467


Livewire v3 will be launched July 20th

Caleb Porzio just announced that Laravel Livewire v3 will officially be released on July 20th, at Laracon US!

Read more

Sponsor




Diving into Cross-Origin Resource Sharing

Learn how to harness the power of Laravel CORS in this tutorial. Discover what it is and unlock its potential for seamless cross-origin resource sharing.

Read more


Laravel Tailwind Merge

Laravel Tailwind Merge is a package that automatically resolves Tailwind CSS class conflicts in Laravel Blade files.

Read more


Lemon Squeezy for Laravel 1.0 is Here

The Lemon Squeezy for Laravel package released v1.0. Learn about this exciting package to make subscription billing, payments, and license keys a breeze!

Read more


🔥 Download the Response of an HTTP Request in Laravel

Marcel Pociot shared a tip on using the Laravel HTTP client method sink() to write a response to a file

Read more


JetBrains announced a bundle for Laravel developers: PhpStorm + Laravel Idea plugin

JetBrains, the company behind PhpStorm, has exciting news for Laravel developers. They have introduced a special bundle offer that includes PhpStorm and the Laravel Idea plugin at a 50% discount.

Read more

Laravel Jobs


The official Laravel job board connecting the best jobs with top talent.


View all

Now hiring


Senior Product Engineer - Laravel
Remote / European TZs

Laravel Frontend Developer (React Experience)
Remote (EU preferred)

Full Stack Laravel Engineer w/ VueJS Experience - USA ONLY
Remote, USA ONLY

Full-stack developer (Laravel, Vue)
Austria / Remote (Europe only)

Laravel Developer (with optional frontend)
Remote

Backend Developer
Remote, Europe only

Software Developer
Atlanta, GA or Remote- US Based

Senior Laravel Developer
Remote - Working Hours in USA Eastern Time Zone


Post a job on LaraJobs and it'll be featured here next week.

Community Links
Laraflash
github‍.com

How to Add Google reCAPTCHA v3 to Your Laravel Form
laracoding‍.com

You might be sending random people your users' data
prinsfrank‍.nl

Event-driven architectures creates resilient and fail-tolerant software
josepostiga‍.com

Laravel Users Table: Change Primary Key ID to UUID - in 3 Steps
laraveldaily‍.com

https://github.com/rmunate/LaravelHelpers
github‍.com

How To Bulk Insert Using Laravel Eloquent (With Timestamps)
laracoding‍.com

How to Get Raw SQL Query From Laravel Query Builder or Model
laracoding‍.com

🧩 Parse large JSONs from any source in a memory-efficient way
github‍.com

Bytepoint - Optimize uploaded images on the fly in Laravel
github‍.com

VPhoneInput: international phone number input for Vuetify 3
npmjs‍.com

Introducing laravel-backup-restore
stefanzweifel‍.dev

Migrate passwords from a legacy PHP application to Laravel
leopoletto‍.com

Ignition - the default Laravel error page - now offers AI solutions out of the box
flareapp‍.io

Laravel File Uploads: Save Filename in DB with Folder and URL?
laraveldaily‍.com

Avoid global variables in JavaScript
advanced-inertia‍.com

Laravel, React, and Inertia-SSR on Fly.io
fly‍.io

Hydrator released v3 ✅
github‍.com

Looking at the PHP Code to Make Your Data Chat-able with Laravel, OpenAI API
alnutile‍.medium‍.com

"Expression #1 of SELECT list is not in GROUP BY": Two Fixes in Laravel
laraveldaily‍.com

Iterate files and directories in PHP – Fast tips
inspector‍.dev

Use ray()->trace() to figure out where a call came from
myray‍.app

Save Time and Effort with This Custom Command for Laravel Project Installation
jose‍.jimenez‍.dev

Visualising Laravel and Horizon metrics using Prometheus and Grafana
freek‍.dev

Laravel MockAPI
github‍.com

Laravel Eloquent spatial package
github‍.com

Containerizing Laravel Application using Docker
hibit‍.dev

Short-lived database transactions
josepostiga‍.com

Add your link

The Archives

Last Month

Laravel Precognition Updates are Here
Laravel Precognition was overhauled and ships with a fresh perspective on predicting the outcome of a future HTTP request. ...

Use 1Password to Authenticate with Forge and Vapor Securely
To authenticate with Laravel Forge and Laravel Vapor CLIs, you can use 1Password and take advantage of the community shell ...

Observability vs monitoring
Is observability the same as monitoring? What is the difference between observation and monitoring? What is the right tool for ...

Feature Tests powered by database seeders
David Hemphill at Laracon AU talking about how to use feature tests with database seeders. ...

Laravel Octane Adds Support for Roadrunner v3
The Laravel team release Octane v2 with support for Roadrunner v3! ...

Last Year

Skip Webpack when Testing
Learn how to skip Webpack during your tests or your CI pipeline ...

Validate Your App on the Frontend With Laravel Dry Run Requests
The Laravel Dry Requests connects server-side validation with the frontend form UX. ...

Laravel Pint
The long awaited hype train is finally over, Laravels latest open source CLI app has been released and we got ...

Laravel 9.18 Released
The Laravel team released 9.18 jam-packed with amazing features and improvements. Let's look at the standout new features now available ...

Getting started with Laravel Scout and Meilisearch
We have all needed to add some sort of search to our applications before, this tutorial will walk you through ...

Running PHPStan on max with Laravel
Over the last few years static analysis in PHP, and more specifically Laravel, has become more and more popular. Follow ...

Two Years Ago

Laravel 8.48 Released
The Laravel team released 8.47 with an on-demand filesystem disk, the ability to prune failed queue jobs, and the latest ...

Laravel Google Fonts Package
Laravel Google Fonts is a package by Spatie to manage self-hosted Google Fonts in Laravel apps. ...

PHPInsights v2 is Here
PHPInsights just released v2 with the ability to automatically fix proposed insights, PHP 8 support, faster analysis, and more! ...

Shipping Docker - Learn how to use Docker in development, testing, and production.
Shipping Docker is a comprehensive course in the many uses of Docker. From playing to developing, testing to deploying, it ...

5 Tips for the Laravel Service Container
5 Things to Consider When Dealing with the Service Container in Laravel ...

Tailwind CSS 2.2 is Now Here With a New CLI and JIT Features
Tailwind v2.2 was just released with a brand-new Tailwind CLI tool, a ton of new features using the JIT engine, ...

Midsoft Solutions Inc is hiring for Sr. Software Developer – Java. 19+ more java jobs in Toronto, ON.

Senior Data Integration Developer
Scotiabank - Toronto, ON
5 hours ago - Sponsored
Principal Data Engineer - CID&A
Scotiabank - Toronto, ON
2 days ago - Sponsored
Senior Software Developer
Scotiabank - Toronto, ON
4 days ago - Sponsored
Sr. Software Developer – Java
Midsoft Solutions Inc - North York, ON
20 hours ago
Software Developer
Bluewaves Mobility Innovation Inc - North York, ON
16 hours ago
Senior Software -Senior Java Developer
Arthur Grand Technologies Inc - Toronto, ON
14 hours ago
Sr. Java Developer - Hybrid - Toronto
ydc pro Inc - Toronto, ON
17 hours ago
Software Developer - Java/WebSphere ( 1 Year Contract)
Cyber-Infomax Solutions Inc. - North York, ON
13 hours ago
Developer
Computershare - Toronto, ON
23 hours ago
Sr. Software Developer - Full Stack
Midsoft Solutions Inc - Toronto, ON
20 hours ago
Software Engineer in Test I (Hybrid- Toronto)
Emburse - Toronto, ON
15 hours ago
Senior Data Integration Developer
Scotiabank - Toronto, ON
5 hours ago
Data Engineer
Softchoice - Toronto, ON
13 hours ago
Java Full Stack Developer - Government / Ministry Projects - $80-90 p/h
CorGTA Inc. - Toronto, ON
7 days ago - Sponsored
Core Java Back End Developer
Procom - Toronto, ON
3 days ago - Sponsored
Full Stack Java Developer
Procom - Toronto, ON
20 hours ago - Sponsored
Software Engineer III (Hybrid - Toronto)
Emburse - Toronto, ON
15 hours ago
Software Developer - Senior
Arthur Grand Technologies Inc - Toronto, ON
20 hours ago
Senior Software Engineer
Ripple - Toronto, ON
14 hours ago
Senior Software Engineer
Ripple Labs Inc. - Toronto, ON
10 hours ago
Principal Software Engineer - Ad Tech
Zynga - Toronto, ON
16 hours ago
Senior Software Engineer
Curinos - Toronto, ON
12 hours ago
Senior Engineer, Technology & Data Delivery
CPP Investments - Toronto, ON
12 hours ago
Senior Software Engineer in Test I (Hybrid-Toronto)
Emburse - Toronto, ON
15 hours ago
Java Cloud Engineer || Toronto, ON || Long Term Contract
Atlantis IT group - Toronto, ON
14 hours ago
Senior Java Developer - FI Trade Processing - Hybrid
Citi - Toronto, ON
8 hours ago
Sr. Java/.NET Developer (w/ Angular) - $135,000 - Toronto, ON
CorGTA Inc. - Toronto, ON
7 days ago - Sponsored
Java Engineer
ISG Search Inc - Toronto, ON
6 days ago - Sponsored
Java Developer, SpringBoot Framework
Procom - Toronto, ON
3 days ago - Sponsored

“instructor“: 5 opportunities

Web Design Instructor and other roles are available
͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏ ͏

CDI College
Web Design Instructor
CDI College · Pointe-Claire, QC (On-site)
KAMRAN ESPILI 2 connections
NorQuest College
Business Instructor
NorQuest College · Edmonton, AB (On-site)
Toronto Metropolitan University 2 school alumni
premium icon +30% headcount growth over 2 years
NPC College of Arts and Design
3D Modeling Instructor for Concept Design
NPC College of Arts and Design · Richmond, BC (On-site)
radar icon Actively recruiting
Easy Apply Easy Apply
University of Calgary
Sessional Instructor - BTMA 331 LEC 02 & LEC 03, Fall 2023, Haskayne School of Business
University of Calgary · Calgary, AB (On-site)
radar icon Actively recruiting
NPC College of Arts and Design
Concept Design/digital painting Instructor
NPC College of Arts and Design · Richmond, BC (On-site)
radar icon Actively recruiting
Easy Apply Easy Apply
See all jobs

Manual vs Automated Testing

Auto manual
Definition
Reliability More Less
Reuse Always May be possible
Batch Always Not possible
Time Saving faster Time consuming
Invest Tool Human
Performance Load/Stress Performance possible Not Possible/Cumbersome
Programming Sort of required Not needed
Framework Can be used Not needed
Operating System Easier Cumbersome
Regression Easier Cumbersome

Purchase: Training on Data Science/AI/Machine Learning/Data Analytics
https://www.shopforsoul.com/training.html

Training on Software/Web/Mobile/Database/BI Development: https://www.shopforsoul.com/training.html (also: http://sitestree.com/training/ )

High-quality courses for Students, Professionals, and Organizations. http://sitestree.com/training/

Free Short Notes on Technology in Bengali: https://bangla.salearningschool.com/

If you want to List your products and services on ShopForSoul.com: Fill the form
https://forms.gle/mBfHjbJVX1tLYPoDA

In the description, you can put your information including how to pay you, and your contact information. Provide your contact information as well.

Youtube: @salearningschool-shopforso8963/videos (Software Dev/Eng. Data Science and AI/ML)


Sayed Ahmed

Teaching, Software Engineer, Data Scientist, and ML Engineer in Ontario, Canada

Youtube: @salearningschool-shopforso8963/videos (Software Dev/Eng. Data Science and AI/ML)

BSc. Engineering in Computer Science and Engineering, BUET (Session: 1994-95 to 1996-97, Class: 1996 to 2001)

Faculty (in colleges, universities, and training institutes), and Software Developer
MSc in Computer Science, U of Manitoba, Canada
Software/Web/Database/BI/Analytics Developer in Canada
MSc in Data Science and Analytics, Toronto Metropolitan University (Ryerson), Canada

Master of Engineering (MEng, CRO) in Electrical and Computer Engineering, McMaster University, Canada

Courses: http://Training.SitesTree.com (Big Data, Cloud, Security, Machine Learning)
Blog
: http://Bangla.SaLearningSchool.com, http://SitesTree.com

8112223 Canada Inc./JustEtc:

Shop Online: https://www.ShopForSoul.com/
Linkedin: https://ca.linkedin.com/in/sayedjustetc

Manual Testing Tools

Load Runner:

Tessy:

Mantis:

BugZilla

JMeter

SonarQube

Jira

NUnit

ZAP

Citrus

Load Runner: Performance, Load
Tessy: Integration
Mantis: Bug tracking
BugZilla: Issue Tracking
Jmeter: Performance
SonarQube: Code Quality and Security. Review, Integration, Quality
Jira: Issue Tracking, Planning, Integrate to develop env.
Nunit : Unit Testing
ZAP: Security Scanner
Citrus: Integration

Purchase: Training on Data Science/AI/Machine Learning/Data Analytics
https://www.shopforsoul.com/training.html

Training on Software/Web/Mobile/Database/BI Development: https://www.shopforsoul.com/training.html (also: http://sitestree.com/training/ )

High-quality courses for Students, Professionals, and Organizations. http://sitestree.com/training/

Free Short Notes on Technology in Bengali: https://bangla.salearningschool.com/

If you want to List your products and services on ShopForSoul.com: Fill the form
https://forms.gle/mBfHjbJVX1tLYPoDA

In the description, you can put your information including how to pay you, and your contact information. Provide your contact information as well.

Youtube: @salearningschool-shopforso8963/videos (Software Dev/Eng. Data Science and AI/ML)


Sayed Ahmed

Teaching, Software Engineer, Data Scientist, and ML Engineer in Ontario, Canada

Youtube: @salearningschool-shopforso8963/videos (Software Dev/Eng. Data Science and AI/ML)

BSc. Engineering in Computer Science and Engineering, BUET (Session: 1994-95 to 1996-97, Class: 1996 to 2001)

Faculty (in colleges, universities, and training institutes), and Software Developer
MSc in Computer Science, U of Manitoba, Canada
Software/Web/Database/BI/Analytics Developer in Canada
MSc in Data Science and Analytics, Toronto Metropolitan University (Ryerson), Canada

Master of Engineering (MEng, CRO) in Electrical and Computer Engineering, McMaster University, Canada

Courses: http://Training.SitesTree.com (Big Data, Cloud, Security, Machine Learning)
Blog
: http://Bangla.SaLearningSchool.com, http://SitesTree.com

8112223 Canada Inc./JustEtc:

Shop Online: https://www.ShopForSoul.com/
Linkedin: https://ca.linkedin.com/in/sayedjustetc

What to know for Software Automation?

•What is TEST AUTOMATION?
•What are the different Types of Software Testing?
•Give examples of Manual Testing Tools
•Give some overview of Test Automation
•What is the Purpose and need of Automation?
•Give some Example of Automation tools?
•Difference between Automation and Manual Testing?
•Def, Reliability, Reuse, Batch, Time Saving, Investment
•Why do we use test Automation
•Give examples of Test Automation Tools
•Why do we use Selenium for automation testing?
•Why is Python useful for automation testing?
•What are some Challenges of Automated Testing?
•What are the steps of automation test methodologies
•What is a test automation framework?
•What are the different types of test automation framework

4 new jobs – software in various locations

Job BankSoftware Quality Assurance (QA) Analyst
Makota Online Inc
Burnaby, BC
$50,000.00 to $85,000.00 annually (to be negotiated)
Full time Remote work available
Job BankComputer Programmer
Emerald City Games
Burnaby, BC
$60,000.00 to $100,000.00 annually (to be negotiated)
Full time Remote work available
Job BankSoftware Engineer
Makota Online Inc
Burnaby, BC
$60,000.00 to $100,000.00 annually (to be negotiated)
Full time Remote work available
ZipRecruiterDeveloper, Software
Prometheus Software
Toronto, ON
N/A
Full time

32 new jobs – dotnet in various locations

JobillicoSoftware Developer
LifeWorks
Toronto, ON
N/A
Full time
JobillicoWeb Developer
LifeWorks
Toronto, ON
N/A
Full time
JobillicoSoftware Quality Assurance (QA) Analyst
Familiprix inc.
Clarke City, QC
N/A
CareerBeaconInformatics Security Analyst
Irving Oil
Saint John, NB
N/A
Full time
CareerBeaconInformation Technology (IT) Analyst
Bell
Montréal, QC
N/A
Full time
CareerBeaconAnalyst, Information Technology (IT)
Irving Oil
Saint John, NB
N/A
Full time
CareerBeaconInformation Technology (IT) Analyst
Irving Oil
Saint John, NB
N/A
Full time
CareerBeaconBusiness Systems Specialist - Computer Systems
NTT DATA
Halifax, NS
N/A
Full time
CareerBeaconAnalyst, Informatics Security
Bell
Montréal, QC
N/A
Full time
CareerBeaconSystems Analyst
Mariner
Saint John, NB
N/A

Scotiabank is hiring for Data Engineer- Hybrid. 6 more big data jobs in Toronto, ON.

Sr. Java Developer – Big Data (Spark/Scala)
RBC Financial Group - Toronto, ON
6 days ago - Sponsored
Lead Data Governance Analyst
OMERS - Toronto, ON
3 days ago - Sponsored
Data Engineer - SDV
General Motors - Ontario
1 day ago - Sponsored
Data Engineer- Hybrid
Scotiabank - Toronto, ON
10 hours ago
Sr Manager, Collections Data Engineer (12 month Contract)
Scotiabank - Toronto, ON
1 day ago
Data Scientist
Points - Toronto, ON
1 day ago
Sr. Manager Data Engineer
Rogers Communications - Toronto, ON
1 day ago
Data Management Analyst II
Invesco - Toronto, ON
1 day ago
Full-stack Engineer, Shopping Partner Experience
Pinterest - Toronto, ON
1 day ago
Senior iOS Developer
Intuit - Toronto, ON
16 hours ago
Data scientist
TELUS International - Canada
1 day ago - Sponsored
Sr. Software Engineer
Loblaw Companies Limited - Toronto, ON
2 days ago - Sponsored
BI Research & Innovation Analyst II
The Co-operators - Toronto, ON
5 days ago - Sponsored

14 new jobs – dotnet in various locations

CareerBeaconBusiness Analyst, Informatics
Eastlink
Halifax, NS
N/A
Full time
JobillicoWeb Developer
National Bank
Toronto, ON
N/A
Full time
CareerBeaconSystem Integration Consultant
Canadian Red Cross
Ottawa, ON
N/A
Full time
CareerBeaconInformatics Business Analyst
NTT DATA
Halifax, NS
N/A
Full time
CareerBeaconInformation Technology (IT) Consultant
Bell
Clarke City, QC
N/A
Full time
CareerBeaconWeb Developer
Bell
Clarke City, QC
N/A
Full time
CareerBeaconApplications Analyst - Computer Systems
Bell
Clarke City, QC
N/A
Full time
JobillicoProgrammer Analyst
Matiss
Saint-Georges, QC
N/A
Full time
JobillicoSystems Programmer
Matiss
Saint-Georges, QC
N/A
Full time
JobillicoApplication Programmer
mPhase Inc.
Montréal, QC
$55,000.00 to $80,000.00 annually
Full time

5 new jobs – software in various locations

SaskJobsInformation Systems Analysts And Consultants
Saskatchewan Polytechnic
Regina, SK
N/A
SaskJobsInformation Systems Analysts And Consultants
Saskatchewan Polytechnic
Saskatoon, SK
N/A
SaskJobsInformation Systems Analysts And Consultants
Saskatchewan Polytechnic
Moose Jaw, SK
N/A
SaskJobsInformation Systems Analysts And Consultants
Saskatchewan Polytechnic
Prince Albert, SK
N/A
Job BankSoftware Tester
Intech Global Consultancy Services Inc.
Pickering, ON
$32.50 hourly
Full time Remote work available

5 new jobs – python in various locations

JobillicoSoftware Developer
Infodev Electronic Designers International Inc.
Clarke City, QC
N/A
Full time
Job BankBusiness Management Consultant
McLarens International Inc. (Canada)
Toronto, ON
$80.00 to $90.00 hourly (to be negotiated)
Full time
Job BankAnalyst, Computer
Dempton Solutions Technologiques
Montréal, QC
$75,000.00 to $145,000.00 annually (to be negotiated)
Full time Remote work available
CareerBeaconSoftware Developer
Bell
Montréal, QC
N/A
Full time
ZipRecruiterAccountant
CanDeal
Toronto, ON
N/A
Full time

26 new jobs – dotnet in various locations

Job BankInformation Systems Analyst - Computer Systems
VGM Wire & Automation
Edmonton, AB
$47.62 hourly
Full time
JobillicoSoftware Developer
Infodev Electronic Designers International Inc.
Clarke City, QC
N/A
Full time
CivicJobs.caAnalyst, Business - Computer Systems
BC Public Service
Vernon, BC
$56,032.51 annually
Full time
Québec emploiComputer Programmer
Groupe Conseils MCG
Drummondville, QC
$0.01 hourly
Full time
Québec emploiComputer Programmer
Groupe Conseils MCG
Drummondville, QC
$1.00 hourly
Full time
JobillicoProgrammer Analyst
Infodev Electronic Designers International Inc.
Clarke City, QC
N/A
Full time
Job BankSystems Analyst
Global Education
Richmond, BC
$48.50 hourly
Full time
CareerBeaconPC (personal Computer) Application Developer
Grenfell Campus, Memorial University of Newfoundland
Corner Brook, NL
N/A
SaskJobsInformation Systems Analysts And Consultants
Saskatchewan Polytechnic
Regina, SK
N/A
SaskJobsInformation Systems Analysts And Consultants
Saskatchewan Polytechnic
Saskatoon, SK
N/A

CIBC is hiring for Director, Big Data Services. 18 more big data jobs in Toronto, ON.

See all matching jobs >
Big Data Developer - $140,000 base - Toronto hybrid 1 day a week full-time
CorGTA Inc. - Toronto, ON
3 days ago - Sponsored
Sr. Data Developer
Canada Goose Inc. - Toronto, ON
6 days ago - Sponsored
Development Manager – Data Solutions
Computershare - Toronto, ON
5 days ago - Sponsored
Director, Big Data Services
CIBC - Toronto, ON
13 hours ago
Developer, Data Management
Ontario College Of Pharmacists Ordre des Pharmaciens de L Ontario - Toronto, ON
13 hours ago
Data Scientist, Payment Risk
Block - Toronto, ON
7 hours ago
Educator, Data Scientist
BrainStation - Toronto, ON
19 hours ago
Sr. Big Data Engineer
PAR - Toronto, ON
16 hours ago
Senior Business Intelligence and Reporting Analyst
TD Bank - Toronto, ON
16 hours ago
Salesforce Business Analyst/Administrator (6 Month Contract) - Remote
League Inc. - Toronto, ON
21 hours ago
Senior Manager - Data Platform Engineering (Toronto, ON)
SSENSE - Toronto, ON
7 hours ago
Java Restful Developer
AstraNorth - Toronto, ON
20 hours ago
Senior Software Engineering Manager, Data Services
Ripple - Toronto, ON
16 hours ago
FPGA Software Engineer
Intel - Toronto, ON
15 hours ago
Senior Full-Stack Engineer (Remote) | 100% Remote, Software Engineer, No-code SaaS, Tier 1 investors
Process Street - Toronto, ON
19 hours ago
Business Intelligence Engineer
Amazon Advertising Canada Inc. - Toronto, ON
15 hours ago
Senior Machine Learning Engineer
Faire - Toronto, ON
18 hours ago
Front End Developer, Amazon Marketing Cloud Applications, Ads + AWS
Amazon Dev Centre Canada ULC - Toronto, ON
22 hours ago
Senior Blockchain Software Engineer, Core Ledger, RippleX
Ripple - Toronto, ON
4 hours ago
Communications System Engineer
Alstom - Toronto, ON
1 day ago
Principal Software Developer (Java)
Priceline.com - Toronto, ON
19 hours ago
Software Engineer, Amazon Marketing Cloud - Applications
Amazon Dev Centre Canada ULC - Toronto, ON
22 hours ago
Business Systems Analyst (Salesforce)
Nitro - Toronto, ON
4 days ago - Sponsored
Data Scientist (Remote)
The Career Foundation - Toronto, ON
5 days ago - Sponsored
Cloud Support Technology Customer Service - PaaS, SaaS, IaaS Virtual Hiring Event
TELUS International - Toronto, ON
4 days ago - Sponsored

New jobs posted from jobs.bce.ca

Senior Solutions Architect, Digital and Broadcast, Bell Media - Toronto, ON, CA
Senior Cloud Architect - Toronto, ON, CA
Senior Product Manager, SD-WAN and Security - Toronto, ON, CA
Senior Manager, Asset Management - Toronto, ON, CA
Senior DevOps Engineer - Toronto, ON, CA
Senior Digital Analytics Implementation Specialist - Toronto, ON, CA
Senior Program Manager - Toronto, ON, CA
Technical Support, WebEx - Toronto, ON, CA
Senior Associate Producer - Etalk, Bell Media - Toronto, ON, CA
Financial Analyst - Toronto, ON, CA

Capgemini is hiring for Data Engineer. 19+ more big data jobs in Toronto, ON.

Sales Analyst
Valence - Greater Toronto Area, ON
3 days ago - Sponsored
Manager, Data Analytics
Canada Life Assurance Company - Toronto, ON
1 day ago - Sponsored
Developer
Computershare - Toronto, ON
3 days ago - Sponsored
Data Engineer
Capgemini - Toronto, ON
1 day ago
Data Engineer
Ontario Securities Commission - Toronto, ON
17 hours ago
Experimentation Statistician
Canadian Tire Corporation - Toronto, ON
19 hours ago
Software Development Engineer
Amazon Dev Centre Canada ULC - Toronto, ON
22 hours ago
Sr. Data Analyst
Publicis Worldwide - Toronto, ON
1 day ago
Big Data Test Automation Engineer
TD Bank - Toronto, ON
16 hours ago
Senior Data Engineer
Capgemini - Toronto, ON
1 day ago
Senior Data Engineer (Marketing)
Bally's Interactive - Toronto, ON
20 hours ago
Manager, Biometric Research
Munich Re - Toronto, ON
14 hours ago
Senior Consultant Advisory - Energy
Capgemini - Toronto, ON
17 hours ago
Cloud Engineer, Data Platforms (Contract)
Oxford Properties - Toronto, ON
3 days ago - Sponsored
Business Intelligence Reporting Consultant
BAASS Business Solutions - Thornhill, ON
1 day ago - Sponsored
Sr. Big Data BSA
apptoza inc - Toronto, ON
1 day ago - Sponsored
Senior Analyst, Digital Competition & Customer Insights
Canadian Tire Corporation - Toronto, ON
13 hours ago
Manager - Modern BI
EY - Toronto, ON
1 day ago
Senior Machine Learning Developer
AltaML - Toronto, ON
12 hours ago
Actuarial Associate / Senior Actuarial Associate / Actuary, Biometric Research
Munich Re - Toronto, ON
14 hours ago
Manager - Data Scientist
EY - Toronto, ON
1 day ago
Java Full Stack Team Lead
Bally's Interactive - Toronto, ON
20 hours ago
Software Engineering Director
Intel - Toronto, ON
1 day ago
Senior Software Engineer - Backend
Ledn - Toronto, ON
17 hours ago
Manager - Machine Learning Ops
EY - Toronto, ON
1 day ago
Lead Engineer, Sustained Engineering - MAX Digital
ACV Auctions - Toronto, ON
16 hours ago
Remote Job - PhD Scientist for a Digital Marketing Agency
Supreme Optimization - Canada
2 days ago - Sponsored
Senior Software Engineer
ELITS - Toronto, ON
5 days ago - Sponsored
Talend Developer
Maarut Inc - Greater Toronto Area, ON
17 hours ago - Sponsored

Royal Bank of Canada is hiring for Senior big data engineer. 19+ more big data jobs in Toronto, ON.

Sales Analyst
Valence - Greater Toronto Area, ON
1 day ago - Sponsored
Data Engineering Analyst
ISG Search Inc - Toronto, ON
6 days ago - Sponsored
C# .NET Developer
Liberty Metrics - Toronto, ON
7 days ago - Sponsored
Senior big data engineer
Royal Bank of Canada - Toronto, ON
13 hours ago
Data Scientist
Royal Bank of Canada - Toronto, ON
19 hours ago
Manager, HEF Data Analytics - 16 Months Contract
Royal Bank of Canada - Toronto, ON
13 hours ago
Data Engineer
Klick Health - Toronto, ON
13 hours ago
Senior ML and Big Data Consultant
Lovelytics - Toronto, ON
19 hours ago
BI Specialist
Manulife - Toronto, ON
10 hours ago
Data Analyst - ElasticSearch
GeoComply - Toronto, ON
1 day ago
FPGA Software Engineer
Intel - Toronto, ON
3 hours ago
Data Scientist - Trust & Safety
Wish - Toronto, ON
1 day ago
Business Intelligence Engineer, Exports-Visibility
Amazon Dev Centre Canada ULC - Toronto, ON
15 hours ago
Hadoop Administrator
Delpath Inc - Toronto, ON
6 days ago - Sponsored
Cloud Engineer, Data Platforms (Contract)
Oxford Properties - Toronto, ON
1 day ago - Sponsored
Environmental Scientist
B.I.G Consulting Inc. - Toronto, ON
5 days ago - Sponsored
Lead Signal Processing
Myant - Etobicoke, ON
7 hours ago
Senior Big Data Developer
AstraNorth - Toronto, ON
20 hours ago
Big Data Engineer
Primesoftinc - Toronto, ON
17 hours ago
Senior Data Engineer
Atlantis IT group - Toronto, ON
20 hours ago
Business Information Management Analyst II
TD Bank - Toronto, ON
10 hours ago
Senior Big Data QE Tester
AstraNorth - Toronto, ON
19 hours ago
Architect - Data Science
The Home Depot Canada - Toronto, ON
21 hours ago
Sr. Software Developer, Big Data- Remote
Kinaxis (Product) - Toronto, ON
15 hours ago
Senior Data Analyst - Supply Chain Management
LG Electronics Canada - Toronto, ON
4 hours ago
Manager, Customer Analytics and Data Science
Scotiabank - Toronto, ON
12 hours ago
Developer
Computershare - Toronto, ON
1 day ago - Sponsored
Senior Software Engineer
ISG Search Inc - Toronto, ON
5 days ago - Sponsored
Digital Data Analyst (SQL, Dashboards, Tableau, Cloud)
Teamrecruiter.com - Toronto, ON
2 days ago - Sponsored

8 new jobs – dotnet in various locations

Job BankIT (information Technology) Consultant
DELCIT INC.
Milton, ON
$83,000.00 annually
Full time
JobillicoElectronic Business (e-business) Software Developer
TTEC
London, ON
N/A
JobillicoComputer Systems Business Analyst
Tehora inc.
Montréal, QC
N/A
Full time
JobillicoInformation Technology (IT) Consultant
Tehora inc.
Montréal, QC
N/A
Full time
JobillicoBusiness Analyst, Informatics
Tehora inc.
Montréal, QC
N/A
Full time
JobillicoBusiness Analyst, Informatics
Tehora inc.
Montréal, QC
N/A
Full time
CareerBeaconAnalyst, Information Technology (IT)
Bell
Dorval, QC
N/A
Full time
JobillicoWeb Programmer
Prosomo inc.
Gatineau, QC
$40,000.00 to $70,000.00 annually
Full time

8 new jobs – instructor in various locations

JobillicoActivities Leader - Seniors
Groupe Santé Valeo inc.
Saint-Laurent, QC
N/A
Full time
JobillicoLifeguard
Canadian Forces Morale and Welfare Services - CFMWS
Saint-Jean-sur-Richelieu, QC
$16.18 to $19.51 hourly
Part time
JobillicoLifeguard
Canadian Forces Morale and Welfare Services - CFMWS
Saint-Jean-sur-Richelieu, QC
$16.18 to $19.51 hourly
JobillicoLifeguard
Canadian Forces Morale and Welfare Services - CFMWS
Saint-Jean-sur-Richelieu, QC
$16.18 to $19.51 hourly
JobillicoLifeguard
Canadian Forces Morale and Welfare Services - CFMWS
Saint-Jean-sur-Richelieu, QC
N/A
Part time
JobillicoLifeguard
Canadian Forces Morale and Welfare Services - CFMWS
Saint-Jean-sur-Richelieu, QC
N/A
JobillicoLifeguard
Canadian Forces Morale and Welfare Services - CFMWS
Saint-Jean-sur-Richelieu, QC
N/A
Job BankMathematics Teacher - College Level
VANCOUVER ARTS ACADEMY LTD.
Richmond, BC
$30.00 hourly
Part time

TechCrunch: Newest Jobs from Crunchboard

"Newest Jobs from Crunchboard

TechCrunch: Newest Jobs from Crunchboard

Newest Jobs from Crunchboard

Jobs in Bangladesh, data or freelance or business in Dhaka, Bangladesh resume alert

Data Entry Tally
Rampura, Dhaka, Bangladesh
... Business Line: Import & export of consumer goods as well as industrial goods, Manufacturing & Trading concern. RESPONSIBLE ... ACCPACK (Data Entry System), Accord Accounting & Management Software, Tally Accounting & Inventory Software (Single & Multi ... - May 31
Entry Specialist Data
Dhaka, Bangladesh
Data Entry specialist Virtual Assistant Web research Data collection Pdf to Word or Excel English Bangla Hindi SKILL MY LANGUAGE CONTACT +880-****-- 31 adq7tg Melandah Jamalpur Mymonshing MY EXPERIENCE Outsurcing Institute BD ... - May 28
Programme Assistant/Secretary
Dhaka, Bangladesh
... yearly basis Update staff data and send to United Nations Security services in local office and UNICEF HQ for emergency. ... Ability to provide input to financial business processes re-engineering implementation of new system. Keenly participate in ... - Jun 15
Digital Marketer Marketing
Dhaka, Bangladesh
... Also done a specialist training on Business Development. I help to grow online business and maximize online sales through different marketing platforms. I provide these services like Social Media Marketing & Management Google Ad SEO Keyword research ... - Jun 24
Agriculture Professor
Dhaka, Bangladesh
... Bachelor of Science (Four Years Course) Department : Electrical and Electronic Engineering Starting Session : Fall-2018 Institute : IUBAT-International University of Business Agriculture and Technology Year of passing : Running Result : CGPA- 3.85 ... - Jun 13
HSE Engineer
Gulshan Thana, Dhaka, Bangladesh
... incident reports and data Develop injury and incident prevention strategies Monitor local area compliance with safety policy and procedures Audit local area safety compliance with regard to risk, Mohammad Easin Gazi Vill: Gabtali, Palash, Narsingdi. ... - Jun 28
Power Plant Manager
Dhaka, Bangladesh
... • Conducting performance test, analyzing operational data and develop operational plans that will optimize plant performance and profitable accordance with PPA. • To calculated Specific fuel consumption, heat rate, lube oil consumption • To ... - Jun 30
Js Developer Admin
Dhaka, Bangladesh
... In Computer Science & Engineering IUBAT—International University of Business Agriculture and Technology Dhaks, Bangladesh 01/01/2016-20 - 15/8/2021 Professional Training: Complete web Development Course: Programming Hero,2022 Language: Bangla: ... - Jun 27
Time Work Entry Level
Dhaka, Bangladesh
... Core Function: • Set teams for freelancing work • Manage & maintain quality of work • Train & develop new Data Annotator Skill Description • Possessing a good communication skill with people and better understanding about one way of communication. • ... - Jun 11
Development Co Agriculture
Dhaka, Bangladesh
... To Collect relevant primary and secondary data. Support Upazila level Technical Implementation Working Group to implement the lacc-2 project funded by FAO. Assist in organizing and conducting orientation workshops in each pilot community to explain ... - Jun 29
Power Plant Cycle
Dhaka, Bangladesh
... panels MKV software installation & testing Startup Gas turbine Record data during test run & reliability run Operation of GT during warranty period Electrical Engineer, (15th August 1997 July 1999) TK Paper Mill, Kalurghat, Chittagong Bangladesh. ... - Jun 21
Commissioning Engineer Power Plant
Dhaka, Bangladesh
... Experienced in Business Development, Leading Project & O & M Team, Project Co-Ordination & Management. Chasing target & enriching myself with lessons of new up-to-date technologies is an honor to me. Thus, I may engage my skills to boost my company ... - Jun 19
Power Plant Industrial Training
Narsingdi, Dhaka, Bangladesh
... • Substation Design and Drawing • Electrical line & fitting design, System data update, variation, BOQ etc. • Investigation of Sub Station Company Name & Position Duties/Responsibilities Sub Assistant Engineer (11.05.2015 to 20.07.2019) Power ... - Jun 25
Power Plant Diesel
Narayanganj, Dhaka, Bangladesh
... Preparing note and reports by keeping documents as data entry system. Responsibility for safety. Preparation for daily monthly and quarterly maintenance works to done. Capable for inventory. Maintain the plant environmental and commination. 4. ... - Jun 01

3 new jobs – University professors and lecturers near Toronto (ON)

Job BankProfessor, University
Ontario College of Art and Design University
Toronto, ON
$73,531.00 to $135,298.00 annually (to be negotiated)
Full time Remote work available
Job BankAssistant Professor - University
Ontario College of Art and Design University
Toronto, ON
$73,531.00 to $135,298.00 annually (to be negotiated)
Full time Remote work available
Job BankLecturer, University
Ontario College of Art and Design University
Toronto, ON
$53,327.00 to $79,988.00 annually (to be negotiated)
Full time Remote work available

10 new jobs – professor in various locations

Job BankUniversity Professor
University of Manitoba
Winnipeg, MB
$70,000.00 to $100,000.00 annually (to be negotiated)
Full time
Job BankProfessor, University
Ontario College of Art and Design University
Toronto, ON
$73,531.00 to $135,298.00 annually (to be negotiated)
Full time Remote work available
Job BankAssistant Professor - University
Ontario College of Art and Design University
Toronto, ON
$73,531.00 to $135,298.00 annually (to be negotiated)
Full time Remote work available
Job BankLecturer, University
Ontario College of Art and Design University
Toronto, ON
$53,327.00 to $79,988.00 annually (to be negotiated)
Full time Remote work available
Job BankAssistant Professor - University
University of Guelph
Guelph, ON
$110,000.00 to $175,000.00 annually (to be negotiated)
Full time
Job BankAssociate Professor - University
Burman University
Lacombe, AB
$91,241.00 annually
Full time
Job BankAssistant Professor - University
University of Guelph
Guelph, ON
$110,000.00 to $175,000.00 annually (to be negotiated)
Full time
Job BankAssistant Professor - University
University of Guelph
Guelph, ON
$110,000.00 to $175,000.00 annually (to be negotiated)
Full time
Job BankLecturer, University
University of British Columbia
Vancouver, BC
$70,000.00 to $100,000.00 annually (to be negotiated)
Full time Remote work available
Job BankAssistant Professor - University
University of British Columbia
Vancouver, BC
$90,000.00 to $120,000.00 annually (to be negotiated)
Full time Remote work available

New jobs posted from jobs.bce.ca

Application Architect - Toronto, ON, CA
Specialist, Development and Operations - Toronto, ON, CA
Specialist, Strategy and Analytics - Don Mills, ON, CA
Senior Manager, Strategic Pricing, Hybrid Work Place - Toronto, ON, CA
Project Manager, Call Center Technology - Don Mills, ON, CA
Project Manager, Design and Delivery - North York, ON, CA
Project Manager, Design and Delivery, Hybrid work place - Toronto, ON, CA
System Admin - Toronto, ON, CA
Senior Manager, Residential Subscribers Forecasting and Planning, Hybrid Work Place - Toronto, ON, CA
Project Manager, Design and Delivery, Hybrid Work Place - Toronto, ON, CA

16 new jobs – dotnet in various locations

JobillicoSystem Integration Consultant
National Bank
Montréal, QC
N/A
Full time
JobillicoInformation Systems Business Analyst
Lowe's Canada
Boucherville, QC
N/A
Full time
JobillicoJava Programmer
Lowe's Canada
Boucherville, QC
N/A
Full time
JobillicoProgrammer Analyst
Lowe's Canada
Boucherville, QC
N/A
Full time
JobillicoProgrammer Analyst
Lowe's Canada
Boucherville, QC
N/A
Full time
JobillicoInformation Systems Quality Assurance (QA) Analyst
Renaud-Bray
Montréal, QC
N/A
Full time
JobillicoElectronic Business (e-business) Software Developer
Renaud-Bray
Montréal, QC
N/A
Full time
JobillicoProgrammer Analyst
Renaud-Bray
Montréal, QC
N/A
Full time
JobillicoJava Programmer
Lowe's Canada
Boucherville, QC
N/A
Full time
JobillicoInformation Systems Analyst - Computer Systems
Renaud-Bray
Montréal, QC
N/A
Full time

6 new jobs – python in various locations

JobboomStatistical Analyst
Red Cedar Research LLC
Toronto, ON
N/A
Full time
Job BankDatabase Administrator (DBA)
JUST MEDIA INC.
Markham, ON
$37.50 to $40.50 hourly (to be negotiated)
Full time
Job BankSoftware Developer
Vaisala Canada Inc.
Surrey, BC
$100,000.00 to $140,000.00 annually (to be negotiated)
Full time Remote work available
SaskJobsProgrammer, Systems
City of Prince Albert
Prince Albert, SK
N/A
Job BankProgrammer, Web
Canadian Institute of Telecommunications Inc.
Mississauga, ON
$40.00 to $42.00 hourly (to be negotiated)
Full time Remote work available
Job BankDeveloper, Software
AVYAN ANALYTICS INC.
Mississauga, ON
$42.00 hourly
Full time

5 new jobs – software in various locations

Job BankElectronic Data Processing (EDP) Applications Programmer
LEDS Inc
Various locations
$50,000.00 to $60,000.00 annually (to be negotiated)
Full time Remote work available
Job BankDeveloper, Software
F & M Farms (1987) Ltd
Westlock, AB
$65,000.00 to $75,000.00 annually (to be negotiated)
Full time Remote work available
Job BankSoftware Developer
Vaisala Canada Inc.
Surrey, BC
$100,000.00 to $140,000.00 annually (to be negotiated)
Full time Remote work available
Job BankSoftware Developer
Vaisala Canada Inc.
Surrey, BC
$100,000.00 to $140,000.00 annually (to be negotiated)
Full time Remote work available
Job BankProgrammer, Web
Canadian Institute of Telecommunications Inc.
Mississauga, ON
$40.00 to $42.00 hourly (to be negotiated)
Full time Remote work available

TechCrunch: Newest Jobs from Crunchboard

Newest Jobs from Crunchboard

New jobs posted from jobs.bce.ca

Senior Solution Architect and Product Owner - Toronto, ON, CA
Senior Cloud Architect - Toronto, ON, CA
Senior Manager, Data Ops and Engineering, Bell Media - Toronto, ON, CA
Senior Product Manager, SD-WAN and Security - Toronto, ON, CA
Software Developer, Full Stack - Toronto, ON, CA
Data Modeler, Data Engineering - Toronto, ON, CA
Senior Product Manager, Advertising Platforms, Bell Media - Toronto, ON, CA
Consultant, Human Resources - Toronto, ON, CA
Analyst, Business Intelligence - Toronto, ON, CA
Technical Product Manager, Hybrid Work Place - Toronto, ON, CA

new jobs – dotnet in various locations

Job BankWeb Designer
A&T Human Resources
Scarborough, ON
$20.00 to $25.00 hourly (to be negotiated)
Full time
Job BankDeveloper, Software
Nisha Technologies Inc.
Ottawa, ON
$300.00 to $550.00 daily (to be negotiated)
Full time Remote work available
Job BankWeb Designer
Indigenous Friends Association
North York, ON
$28.00 hourly
Full time
Job BankApplications Analyst - Computer Systems
QUIL TECH
Milton, ON
$33.00 to $38.00 hourly (to be negotiated)
Full time
SaskJobsProgrammer Analyst
Saskatchewan Assessment Management Agency
Regina, SK
2996 - 3644 bi-weekly
JobboomSystems Specialist - Computer Systems
Université TÉLUQ
Québec, QC
N/A
Full time
ZipRecruiterIT (information Technology) Consultant
Computer Consultants International, Inc.
Toronto, ON
N/A
Full time
ZipRecruiterDeveloper, Software
Computer Consultants International, Inc.
Toronto, ON
N/A
SaskJobsInformation Systems Analysts And Consultants
SGI REGINA-11th Ave
Regina, SK
N/A
ZipRecruiterDeveloper, Software
SAPSOL Technologies Inc.
Toronto, ON
N/A

8 new jobs – software in various locations

Job BankDeveloper, Software
Nisha Technologies Inc.
Ottawa, ON
$300.00 to $550.00 daily (to be negotiated)
Full time Remote work available
Job BankApplication Architect
Nisha Technologies Inc.
Ottawa, ON
$400.00 to $700.00 daily (to be negotiated)
Full time Remote work available
Job BankDevops Engineer
Transnomis Solutions
North York, ON
$60,000.00 to $80,000.00 annually (to be negotiated)
Full time Remote work available
JobboomSystems Specialist - Computer Systems
Université TÉLUQ
Québec, QC
N/A
Full time
Job BankDevops Engineer
Lone Wolf Real Estate Technologies Inc.
Cambridge, ON
$95,000.00 to $110,000.00 annually (to be negotiated)
Full time Remote work available
Job BankSoftware Engineer
Amazon Development Centre Canada ULC
Toronto, ON
$120,000.00 to $250,000.00 annually (to be negotiated)
Full time Remote work available
ZipRecruiterDeveloper, Software
VectorSolv
Gatineau, QC
$75,000.00 annually
Full time
SaskJobsInformation Systems Analysts And Consultants
South East Cornerstone School Division #209 (Weyburn)
Weyburn, SK
N/A

18 new jobs – instructor in various locations

ZipRecruiterInstructor, Fitness
F45 Etobicoke Central
Etobicoke, ON
$25.00 hourly
Part time
Job BankCollege Instructor
Okanagan College
Kelowna, BC
$62,828.00 to $100,958.00 annually (to be negotiated)
Part time
Job BankAdministration Teacher
Okanagan College
Kelowna, BC
$40.27 to $64.72 hourly (to be negotiated)
Part time
JobillicoLifeguard
Institut de Cardiologie de Montréal
Montréal, QC
$23.24 hourly
Part time
Job BankLegal Assistant Program Teacher
Okanagan College
Kelowna, BC
$62,828.00 to $100,958.00 annually (to be negotiated)
Full time
Job BankMedical Records Management Program Teacher
Okanagan College
Kelowna, BC
$40.27 to $64.72 hourly (to be negotiated)
Part time
Job BankFrench As A Second Language Teacher (except Elementary, High School Or University)
Halton District School Board
Burlington, ON
$42.00 hourly
Part time leading to full time
Job BankCounsellor, Camp
Royal City Soccer
Calgary, AB
$16.75 to $17.25 hourly (to be negotiated)
Full time
JobillicoCamp Leader
Edu-Inter
Québec, QC
$18.00 hourly
CareerBeaconEnglish As A Second Language Teacher (ESL) - College Level
Collège communautaire du Nouveau-Brunswick
Bathurst, NB
N/A

9 new jobs – dotnet in various locations

Job BankDeveloper, Software
Don-More Surveys & Engineering Ltd.
Saint John, NB
$20.00 to $25.00 hourly (to be negotiated)
Full time Remote work available
JobillicoElectronic Business (e-business) Software Developer
National Bank
Montréal, QC
N/A
Full time
JobillicoProgrammer Analyst
Metro
Varennes, QC
N/A
JobillicoInformation Systems Business Analyst
Metro
Varennes, QC
N/A
JobillicoInformation Systems Business Analyst
Metro
Laval, QC
N/A
JobillicoSoftware Developer
Familiprix inc.
Québec, QC
N/A
JobillicoProgrammer Analyst
Metalogique
Québec, QC
N/A
Full time
ZipRecruiterWeb Developer
Intrado
Montréal, QC
$70,000.00 annually
Full time
Job BankSoftware Developer
Fleetex Transport Ltd.
Bolton, ON
$40.00 hourly
Full time

TechCrunch: Newest Jobs from Crunchboard

Newest Jobs from Crunchboard

New jobs posted from jobs.bce.ca

Bell Logo
Senior Manager, Solution Delivery, Hybrid work place - Toronto, ON, CA
Senior Manager, Advanced Analytics - Toronto, ON, CA
Software Developer - Toronto, ON, CA
Senior Manager, Advanced Analytics - Toronto, ON, CA
Director, Store Development & Real Estate - Toronto, ON, CA
Senior Manager, Market Strategist - Toronto, ON, CA
Senior Product Manager, Advertising Measurement, Bell Media - Toronto, ON, CA
Product Manager - Toronto, ON, CA
Senior Financial Analyst - Toronto, ON, CA
Technical Product Owner, Commerce & Digital, Hybrid work place - Toronto, ON, CA

TechCrunch: Newest Jobs from Crunchboard

Newest Jobs from Crunchboard

6 new jobs – java in various locations

JobillicoElectronic Business (e-business) Software Developer
TTEC
London, ON
N/A
JobsMedia.caSenior Software Developer
Larochelle Groupe Conseil
Montréal, QC
N/A
JobsMedia.caDeveloper, Software
Larochelle Groupe Conseil
Montréal, QC
N/A
ZipRecruiterDeveloper, Software
SIGMA Assessment Systems
London, ON
N/A
Full time
ZipRecruiterDeveloper, Software
geoLOGIC systems ltd
Calgary, AB
N/A
Full time
ZipRecruiterDeveloper, Software
bitHeads
Ottawa, ON
$100,000.00 annually
Full time

new jobs – instructor in various locations

Job BankBusiness Administration Teacher - College Level
Okanagan College
Various locations
$62,828.00 to $100,958.00 annually (to be negotiated)
Part time
SaskJobsCollege And Other Vocational Instructors
Saskatchewan Polytechnic
Moose Jaw, SK
N/A
JobboomTrainer, Company
Comm des droits de la personne et des droits de la jeunesse
Val-d'Or, QC
N/A
Full time
SaskJobsCollege And Other Vocational Instructors
Saskatchewan Polytechnic
Saskatoon, SK
N/A
Job BankLifeguard
Canada's Wonderland
Maple, ON
$17.50 to $20.00 hourly (to be negotiated)
Full time
SaskJobsCollege And Other Vocational Instructors
DOLPHIN IELTS LEARNING CENTER INCORPORATED
Regina, SK
As per experience and skill of teaching.
JobillicoSocial Services Worker
Coopérative de Soutien à domicile de Laval
Laval, QC
$21.00 to $23.00 hourly
Full time
SaskJobsTechnologist, Medical Radiation
Saskatchewan Health Authority
Nipawin, SK
Pay Band 16 $36.620 to $39.220 (3 step range)
SaskJobsTechnologist, Medical Radiation
Saskatchewan Health Authority
Swift Current, SK
Pay Band 16 $35.910 to $38.460 (3 step range)
SaskJobsTherapist, Respiratory
Saskatchewan Health Authority
Yorkton, SK
$35.884 to $43.772 (5 step range)

13 new jobs – software in various locations

Job BankSoftware Developer
Evertz Microsystems Ltd.
Burlington, ON
$65,000.00 to $100,000.00 annually (to be negotiated)
Full time Remote work available
AgCareers.comDeveloper, Software
CANTERRA SEEDS
Winnipeg, MB
N/A
Full time
JobboomUser Support Technician
Université TÉLUQ
Montréal, QC
N/A
Full time
JobboomProgrammer, Web
Prosomo Inc.
Gatineau, QC
N/A
Full time
Job BankSoftware Developer
Informations Consultants Services Inc.
Montréal, QC
$88,000.00 annually
Full time Remote work available
Job BankSenior Software Developer
Seequent
Calgary, AB
$100,000.00 to $150,000.00 annually (to be negotiated)
Full time Remote work available
Job BankSoftware Developer
Seequent
Calgary, AB
$80,000.00 to $100,000.00 annually (to be negotiated)
Full time Remote work available
Job BankDeveloper, Software
GSoft
Montréal, QC
$70,000.00 to $130,000.00 annually (to be negotiated)
Full time Remote work available
Job BankDeveloper, Software
GSoft
Montréal, QC
$70,000.00 to $130,000.00 annually (to be negotiated)
Full time Remote work available
ZipRecruiterEngineer, Software
EnvAI Solutions Inc.
Toronto, ON
N/A

6 new jobs – Database analysts and data administrators near Toronto (ON)

ZipRecruiterDBA (database Administrator)
Bevertec
Toronto, ON
N/A
MonsterData Analyst - Informatics And Systems
Cronos Consulting Group
Mississauga, ON
N/A
MonsterData Analyst - Informatics And Systems
Cronos Consulting Group
Mississauga, ON
N/A
MonsterData Scientist
GTT, LLC
Toronto, ON
N/A
MonsterData Analyst - Informatics And Systems
GTT, LLC
Toronto, ON
N/A
MonsterData Analyst - Informatics And Systems
Cronos Consulting Group
Mississauga, ON
N/A

new jobs – dotnet in various locations

Job BankSoftware Developer
Evertz Microsystems Ltd.
Burlington, ON
$65,000.00 to $100,000.00 annually (to be negotiated)
Full time Remote work available
AgCareers.comDeveloper, Software
CANTERRA SEEDS
Winnipeg, MB
N/A
Full time
JobboomSystem Integration Analyst
Université TÉLUQ
Québec, QC
N/A
Full time
Job BankInformation Systems Business Analyst
GINQO Consulting Ltd
Various locations
$80,000.00 to $90,000.00 annually (to be negotiated)
Full time Remote work available
indeed.comWeb Developer
Dig Marketing
Edmonton, AB
$24.00 to $26.00 hourly
JobboomProgrammer, Web
Prosomo Inc.
Gatineau, QC
N/A
Full time
JobillicoWeb Programmer
Prosomo inc.
Gatineau, QC
$40,000.00 to $70,000.00 annually
Full time
Job BankWeb Developer
CREATIVE MUSE MARKETING INC.
Waterloo, ON
$24.00 hourly
Full time
SaskJobsInformation Systems Analysts And Consultants
Saskatchewan Health Authority
Buffalo Narrows, SK
Pay Band 13 $27.990 to $30.000 (3 step range)
indeed.comProgrammer Analyst
Logibec Inc
Montréal, QC
N/A
Full time

7 new jobs – python in various locations

Job BankSoftware Developer
Evertz Microsystems Ltd.
Burlington, ON
$65,000.00 to $100,000.00 annually (to be negotiated)
Full time Remote work available
Job BankWeb Developer
CREATIVE MUSE MARKETING INC.
Waterloo, ON
$24.00 hourly
Full time
ZipRecruiterDeveloper, Software
SIGMA Assessment Systems
London, ON
N/A
Full time
ZipRecruiterEngineer, Software
EnvAI Solutions Inc.
Toronto, ON
N/A
ZipRecruiterEngineer, Software
Thornhill Employment Hub
Markham, ON
$80,000.00 annually
Full time
ZipRecruiterDeveloper, Software
geoLOGIC systems ltd
Calgary, AB
N/A
Full time
ZipRecruiterConsultant, Business
BCforward
Toronto, ON
N/A

TechCrunch: Newest Jobs from Crunchboard

Newest Jobs from Crunchboard

hiring for Java Developer. 19+ more java jobs in Toronto, ON.

Java Developer
iPartner Staffing - Toronto, ON
19 hours ago - Sponsored
Java Developer
Teranet - Toronto, ON
1 day ago - Sponsored
Java ELK Developer
International Talent Resources INC. - Toronto, ON
1 day ago - Sponsored
Java Developer
Arthur Grand Technologies Inc - Toronto, ON
22 hours ago
Java Technical Specialist
Royal Bank of Canada - Toronto, ON
13 hours ago
Production Support Engineer
Infocodec solutions - Toronto, ON
6 hours ago
SQL/ Unix Developer
KLAP6 TECHNOLOGIES PRIVATE LIMITED - Toronto, ON
1 day ago
QA Engineer
Test yantra software solutions - Toronto, ON
17 hours ago
Java Developer
Infosys - Toronto, ON
1 day ago
C# Developer
Infocodec solutions - Toronto, ON
6 hours ago
Sr. Java Developer(Java, SpringBoot, SQL)
TD Bank - Toronto, ON
16 hours ago
Full stack Developer
Arthur Grand Technologies Inc - Toronto, ON
15 hours ago
Node js developer
Arthur Grand Technologies Inc - Toronto, ON
15 hours ago
Software Developer I
Moneris Solutions - Toronto, ON
3 days ago - Sponsored
Java Backend Developer
iPartner Staffing - Toronto, ON
22 hours ago - Sponsored
Java Full Stack Developer
iPartner Staffing - Toronto, ON
22 hours ago - Sponsored
Sr. Java Developer
HiTech Info Group - Toronto, ON
19 hours ago
Senior Java Developer
Royal Bank of Canada - Toronto, ON
13 hours ago
Senior Java Developer
Arthur Grand Technologies Inc - Toronto, ON
23 hours ago
Senior Java Developer (GCP) - Remote
TELUS International - Toronto, ON
20 hours ago
Database Backend Developer
Alert Driving - North York, ON
17 hours ago
Software Developer
eHealth Innovation @ UHN - Toronto, ON
22 hours ago
Senior Java Developer (Azure Migration Experience)
CGI - Toronto, ON
21 hours ago
Java Technical Lead
CGI Inc - Toronto, ON
14 hours ago
Software Engineering Intern
Citco - Toronto, ON
7 hours ago
Senior Java Developer
Architech - Toronto, ON
8 hours ago
Java BE
iPartner Staffing - Toronto, ON
23 hours ago - Sponsored
Automation QA Tester (Selenium + Java) - Full-time (remote)
CorGTA Inc. - Toronto, ON
18 hours ago - Sponsored
Senior Java Developer
iPartner Staffing - Toronto, ON
23 hours ago - Sponsored

Arthur Grand Technologies Inc is hiring for Big Data Developer. 19+ more big data jobs in Toronto, ON.

Data Analyst
ETEAM INFOSERVICES PRIVATE LIMITED - Toronto, ON
6 days ago - Sponsored
Sr Data Engineer- Rides
Uber - Toronto, ON
1 day ago - Sponsored
Data Ingestion Developers
Otomashen Inc - Toronto, ON
16 hours ago - Sponsored
Big Data Developer
Arthur Grand Technologies Inc - Toronto, ON
15 hours ago
Data Engineer (Cloud)
StackPros Inc. - Toronto, ON
22 hours ago
Senior Data Analyst
Critical Mass - Toronto, ON
18 hours ago
Software Development Engineer, Big Data
Amazon Dev Centre Canada ULC - Toronto, ON
15 hours ago
Data Scientist
Chubb INA Holdings Inc. - Toronto, ON
21 hours ago
Manager, Data Insight Analytics
Royal Bank of Canada - Toronto, ON
13 hours ago
AI/ML, Analyst
CUSTOMER EXPERIENCE - Toronto, ON
1 day ago
Senior Data Analyst
Scotiabank - Toronto, ON
18 hours ago
Data Scientist, Developer Empowerment
Square - Toronto, ON
8 hours ago
Full Stack Developer
Royal Bank of Canada - Toronto, ON
13 hours ago
Big 5 Bank - SQL/SAS Data Analyst Opening
Aston Carter - Toronto, ON
1 day ago - Sponsored
Manager Data Engineering
Publicis Groupe - Toronto, ON
6 days ago - Sponsored
Data Engineer
Benevity - Toronto, ON
12 hours ago - Sponsored
SENIOR RESEARCH ANALYST
Ministry of Labour, Training and Skills Development - Toronto, ON
1 day ago
Senior Data Engineer
Canadian Tire Corporation - Toronto, ON
14 hours ago
Staff Data Engineer (Remote - Americas)
FreshBooks - Toronto, ON
10 hours ago
Data Engineer
Benevity - Toronto, ON
12 hours ago
Machine Learning Engineer
nugget.ai - Toronto, ON
17 hours ago
Data Engineer
nugget.ai - Toronto, ON
17 hours ago
Full Stack Developer
StackPros Inc. - Toronto, ON
22 hours ago
Software Development Engineer, Labor Planning
Amazon Dev Centre Canada ULC - Toronto, ON
15 hours ago
Software Engineer, New Product
Rippling - Toronto, ON
12 hours ago
Director, Cyber Data Science (GCS)
Royal Bank of Canada - Toronto, ON
19 hours ago
Data Engineering Specialist/Architect
Publicis Groupe - Toronto, ON
6 days ago - Sponsored
Senior Data Engineer
Publicis Groupe - Toronto, ON
6 days ago - Sponsored
Senior Data Science Manager - Jobseeker Discovery & Communication
Indeed - Toronto, ON
2 days ago - Sponsored

7 new jobs – php in various locations

ZipRecruiterWeb Developer
Sprout Studio
St. Catharines, ON
$47,000.00 annually
Full time
Job BankComputer Programmer
Highlight Motor Freight Inc.
Concord, ON
$41.00 hourly
Full time
ZipRecruiterCo-ordinator, Computer Systems Development
Computer Consultants International, Inc.
Toronto, ON
N/A
Full time
JobillicoWeb Developer
Openmind Technologies inc.
Blainville, QC
N/A
Full time
ZipRecruiterDeveloper, Software
MySIS Solutions Ltd.
Victoria, BC
$55,000.00 annually
Full time
Job BankWeb Manager
International ASET Inc.
Orléans, ON
$40,000.00 to $45,000.00 annually (to be negotiated)
Full time
Job BankWeb Developer
Royal Lighting & Electrical Supplies Ltd.
Surrey, BC
$21.00 hourly
Full time

7 new jobs – software in various locations

JobboomUser Support Technician
Comm des droits de la personne et des droits de la jeunesse
Montréal, QC
N/A
Full time
Job BankSoftware Developer
BHC Canada Inc
Oakville, ON
$100,000.00 annually
Full time Remote work available
ZipRecruiterDeveloper, Software
Z?m Rails
Toronto, ON
$75,000.00 annually
Full time
Job BankSenior Software Developer
Toronto Star Newspapers Ltd.
Toronto, ON
$100,000.00 annually
Full time Remote work available
ZipRecruiterSoftware Tester
Formula Consulting Inc.
Halifax, NS
$2,760.00 monthly
Full time
ZipRecruiterDeveloper, Software
MySIS Solutions Ltd.
Victoria, BC
$55,000.00 annually
Full time
Job BankProgrammer Analyst
The Ottawa Hospital
Ottawa, ON
$35.99 to $42.35 hourly (to be negotiated)
Full time Remote work available

11 new jobs – instructor in various locations

JobillicoInstructor, Swimming - Recreation
Canadian Forces Morale and Welfare Services - CFMWS
Cold Lake, AB
$21.03 to $23.23 hourly
Part time
JobillicoSwimming Instructor - Recreation
Canadian Forces Morale and Welfare Services - CFMWS
Cold Lake, AB
N/A
Part time
JobillicoSports And Recreation Leader
Laser Game Évolution
Montréal, QC
$14.75 to $18.00 hourly
Full time
Job BankActivities Leader - Seniors
Nikkei Seniors Health Care and Housing Society
Burnaby, BC
$18.00 hourly
Full time
Job BankPersonal Trainer
District Warrior Gym Inc.
Vancouver, BC
$21.00 hourly
Full time
CivicJobs.caInstructor, Fitness
City of Coquitlam
Coquitlam, BC
$40.00 hourly
Part time
CivicJobs.caInstructor, Fitness
City of Coquitlam
Coquitlam, BC
$30.00 hourly
Part time
CivicJobs.caInstructor, Fitness
City of Coquitlam
Coquitlam, BC
$35.00 hourly
Part time
Job BankCounsellor, Camp
Camp Elim
Wymark, SK
$480.00 weekly
Full time
SaskJobsLifeguard
Temple Gardens Hotel & Spa
Moose Jaw, SK
16.30 starting

34 new jobs – dotnet in various locations

Jobpostings.caEnterprise Architect - Information Technology (IT)
Home Depot
Toronto, ON
N/A
Full time
JobillicoDeveloper, Software
National Bank
Montréal, QC
N/A
Full time
JobillicoWeb Developer
National Bank
Montréal, QC
N/A
Full time
JobillicoWeb Developer
National Bank
Montréal, QC
N/A
Full time
JobillicoInformation Systems Business Analyst
LifeWorks
Markham, ON
N/A
Full time
JobillicoDeveloper, Software
National Bank
Montréal, QC
N/A
Full time
JobillicoSoftware Developer
National Bank
Montréal, QC
N/A
Full time
JobillicoProgrammer Analyst
Produits forestiers Résolu
Saint-Félicien, QC
N/A
JobillicoWeb Developer
Familiprix inc.
Québec, QC
N/A
JobillicoInformation Systems Analyst - Computer Systems
Nmédia
Québec, QC
N/A
Full time

Run JavaFX Applications

javac --module-path "c:\Program Files\Java\javafx-sdk-18.0.1\lib" --add-modules javafx.controls,javafx.fxml *.java

java --module-path "c:\Program Files\Java\javafx-sdk-18.0.1\lib" --add-modules javafx.controls,javafx.fxml Painter

Download JavaFX: https://openjfx.io/
[may be an ok place to download from: verify yourself. https://gluonhq.com/products/javafx/]
Source/Oracle: https://www.oracle.com/downloads/

Ref: https://stackoverflow.com/questions/62129569/how-to-run-javafx-application-from-command-line

New jobs posted from jobs.bce.ca

Senior Solution Architect and Product Owner - Toronto, ON, CA
Senior Manager: Data Strategy and Architecture - Toronto, ON, CA
Webex Specialist, System Operation - Toronto, ON, CA
Senior Product Manager, Hybrid Cloud - Toronto, ON, CA
Senior Manager, Digital Marketing, Cloud Content - Toronto, ON, CA
Client Executive, Strategic Accounts - Toronto, ON, CA
Senior Scrum Master - Toronto, ON, CA
Senior Product Manager, Advertising Measurement, Bell Media - Toronto, ON, CA
Senior Penetration Tester - Toronto, ON, CA
Specialist, Business Strategy - Toronto, ON, CA

Playlist: Anything Java

Playlist: Anything Java: https://www.youtube.com/playlist...

#SaLearningSchoolShopForSoulSitesTree, #SaLearningSchool, #ShopForSoul, #SitesTree

Starting Java training
basic file operations in java
basic java language concepts
bengali javascript debugging
data conversion in jsf applications
debugging javascript code
Docker and Vagrant Optional Java and/or PHP Platform
ejb application with bea weblogic eclipse
experiment eclipse ant
how to install maven
Installing Java platform with NetBeans
internationalization in jsf
Introduction to soa and apache axis
Java (basic) Interview Questions and Answers
java OCJP level 2
Java spring application demo
Java spring application demo
Java Spring Concepts
Java Spring Concepts
jsf managed bean
Moodle: LMS: Add a Paypal Subscription Button. Minimal HTML, CSS, JavaScript
navigation control in jsf j2ee applications
navigation control in jsf j2ee applications
object oriented concepts in java

spring boot CRUD in memory maven
spring boot CRUD in memory maven
step by step hibernate lesson 1
step by step spring inventory management
struts lesson 5 action object process request
struts lesson 6 handling request parameters with form beans
struts lesson 7 advanced struts actions
struts lesson 8 how to use properties file for internationalization and flexible message display
struts2 struts1 eclipse ant
struts2 struts1 eclipse ant
struts2 struts1 eclipse ant 2
struts2 struts1 eclipse ant 2
Trial Video: How to Create Servlets (In Bengali)
Trial Video: Life Cycle of Servlet (In Bengali)
Trial: Configure Index File, Load Servlet by Container
Trial: Generic Servlet
Trial: How Servlet Works, How Containers Handle Servlets, Service Method (Bengali)
Trial: HttpServlet: Java Based Web Application Development
Trial: Intro to Topics in Servlet-based Web Application Development. সারভ্লেট এর টপিক গুলো - জাভা
Trial: Read and Write Binary/Image Data using Servlet (in Bengali)
Trial: Servlet Attributes (In Bengali)
Trial: Servlet Interface
Trial: Servlet with Annotations (In Bengali)
Trial: Servlet: Request Dispatcher: Login Example
Trial: ServletConfig, ServletContext (in Bengali)
using jsf with jsp tomcat 6
using jsf with jsp tomcat 6
war file: deploy servlet/web application ()

Java: Web Component and Web Application Development

(In the Bengali Language) Learn the Concepts (no code demo yet) Java (Java EE, J2EE) Web Component and Web Application Development. https://lnkd.in/eRqd4bjX

SaLearningSchool-ShopForSoul-SitesTree: For Paid Training: https://lnkd.in/dNrqGDuP

5:57

Trial: HttpServlet: Java Based Web Application Development

https://lnkd.in/eTReji7H

9:33

Trial: Generic Servlet

https://lnkd.in/dd7z7fJZ

10:34

Trial: Servlet Interface

https://lnkd.in/eDh8XuSy

9:50

Trial Video: Life Cycle of Servlet (In Bengali)

https://lnkd.in/e5a7jgGv

35:02

Trial Video: How to Create Servlets (In Bengali)

https://lnkd.in/esjV3Nji

1:06

Trial: How Servlet Works, How Containers Handle Servlets, Service Method (Bengali)

https://lnkd.in/eEMqQx85

9:47

Trial: Configure Index File, Load Servlet by Container

https://lnkd.in/eFttPqGv

9:50

Trial: Servlet: Request Dispatcher: Login Example

https://lnkd.in/e-kNx2SM

18:00

Trial: sendRedirect() of HttpServlet (in Bengali)

https://lnkd.in/echzFDMn

21:15

Trial: ServletConfig, ServletContext (in Bengali)

https://lnkd.in/eywQWdpv

24:29

Trial: Session Tracking: Cookies, Hidden Form Field, URL Rewrite, HttpSession

https://lnkd.in/egs38j2s

21:43

Trial: Intro to Topics in Servlet-based Web Application Development. সারভ্লেট এর টপিক গুলো - জাভা

https://lnkd.in/eb5ZzMSM

11:30

Trial: Servlet Attributes (In Bengali)

https://lnkd.in/e3pj58ew

4:55

Trial: Servlet with Annotations (In Bengali)

https://lnkd.in/eXzG4EtJ

8:54

Trial: Read and Write Binary/Image Data using Servlet (in Bengali)

https://lnkd.in/eqSNywmH

22:37

Trial: Filter, FilterConfig, FilterChain (In Bengali)

https://lnkd.in/e6YZmA2G

#SaLearningSchoolShopForSoulSitesTree #SaLearningSchool #ShopForSoul #SitesTree #java #language #Bengali #bangla #বাংলা #জাভা

Checkout: Java Spring Playlist: Mostly created long back in the past.

Checkout: Java Spring Playlist: Mostly created long back in the past. May include/create more in recent times. https://www.youtube.com/playlist...

If you want training from us: Please fill out this form: https://forms.gle/aLAqfCBjYuC1etLc6

If you want to teach/train with us: Please fill out this form: https://forms.gle/yCC56S3HfPotQWF28

13:36
Install Tools for Java Spring and Java Spring Boot Development
https://www.youtube.com/watch?v=5QXR_eivELM...

18:53
Install Gradle for Java Spring Applications
https://www.youtube.com/watch?v=Vt_gGzKR_i0...

32:38
Spring boot CRUD in memory maven
https://www.youtube.com/watch?v=EifjFFeEyaw...

26:56
Java Spring Concepts
https://www.youtube.com/watch?v=0_7xyuVOJbQ...

21:21
Java spring application demo
https://www.youtube.com/watch?v=euJzoAbaXjc...

30:26
step by step spring inventory management
https://www.youtube.com/watch?v=wOQ7UvAfXhk...

13:36
Install Tools for Java Spring and Java Spring Boot Development
https://www.youtube.com/watch?v=5QXR_eivELM...

#SaLearningSchoolShopForSoulSitesTree, #SaLearningSchool, #ShopForSoul, #SitesTree

JSF: Java Server Faces Short Notes from the past

JSF: Java Server Faces Short Notes from the past http://bangla.salearningschool.com/recent-posts?s=jsf

Data conversion in jsf applications 2022/04/15 at 10:01 am 0 views Select internationalization in jsf #AngularJS #By Sayed Ahmed internationalization in jsf #AngularJS #By Sayed Ahmed

2021/08/02 at 4:10 am 0 views Select data conversion in jsf applications #AngularJS #By Sayed Ahmed data conversion in jsf applications #AngularJS #By Sayed Ahmed

2021/08/02 at 4:10 am 0 views Select JSF and Apache myFaces #Java Short Notes JSF and Apache myFaces #Java Short Notes

2021/07/21 at 4:10 am 0 views Select JSF: Lesson – 4: Accessing Context Data from Beans #Java Short Notes JSF: Lesson – 4: Accessing Context Data from Beans #Java Short Notes

2021/07/19 at 4:10 am 0 views Select JSF: Lesson – 3: Controlling Page Navigation in JSF #Java Short Notes JSF: Lesson – 3: Controlling Page Navigation in JSF #Java Short Notes

2021/07/19 at 4:10 am 0 views Select JSF: Lesson – 7: Using Message Bundles in JSF: Support Internationalization #Java Short Notes JSF: Lesson – 7: Using Message Bundles in JSF: Support Internationalization #Java Short Notes

2021/07/19 at 4:10 am 0 views Select JSF: Lesson – 5: Converting Data #Java Short Notes JSF: Lesson – 5: Converting Data #Java Short Notes

2021/07/19 at 4:10 am 0 views Select JSF: Lesson – 6: Validating User Input in JSF #Java Short Notes JSF: Lesson – 6: Validating User Input in JSF #Java Short Notes

2021/07/19 at 4:10 am 0 views Select JSF: Lesson – 1: JSF Specifications #Java Short Notes JSF: Lesson – 1: JSF Specifications #Java Short Notes

2021/07/19 at 4:10 am 0 views Select JSF: Lesson – 2: JSF Managed Beans #Java Short Notes JSF: Lesson – 2: JSF Managed Beans #Java Short Notes

2021/07/19 at 4:10 am 0 views Select navigation control in jsf j2ee applications #Root navigation control in jsf j2ee applications #Root

2021/03/31 at 7:35 pm 0 views Select using jsf with jsp tomcat 6 #Root using jsf with jsp tomcat 6 #Root

2021/03/31 at 7:35 pm 0 views Select jsf managed bean #Root jsf managed bean #Root

2021/03/31 at 7:35 pm 0 views Select JSF এ ইউজার ইনপুট ভেলিডেটিং করা JSF এ ইউজার ইনপুট ভেলিডেটিং করা

Author-Check- Article-or-Video জাভা, ডট নেট/.Net, পি এইচ পি/PHP 2015/03/27 at 3:21 pm 0 views Select Arthur Grand Technologies Inc is hiring for Java Developer. 19+ more java jobs in Toronto, ON. Arthur Grand Technologies Inc is hiring for Java Developer. 19+ more java jobs in Toronto, ON.

2022/05/07 at 11:32 am 0 views Select #StackOverflow. The Overflow #122: Your salary shouldn’t be dictated by how good a negotiator you are #StackOverflow. The Overflow #122: Your salary shouldn’t be dictated by how good a negotiator you are

2022/04/20 at 10:46 am 0 views Select Data Science Jobs Data Science Jobs

Sayed Jobs in Canada and USA, ব্লগ । Blog 2022/04/13 at 10:16 am 0 views Select ITExpertUS is hiring for Java Developer. 19+ more java jobs in Toronto, ON. ITExpertUS is hiring for Java Developer. 19+ more java jobs in Toronto, ON.

2022/02/04 at 11:54 am 0 views Select Data and Machine Learning Jobs Data and Machine Learning Jobs

2022/02/04 at 11:53 am 0 views Select Java Developer Opportunities Java Developer Opportunities

2022/01/28 at 11:11 am 0 views Select Skills for Current Java Focused Jobs #Blog #Java Skills for Current Java Focused Jobs #Blog #Java

2021/07/31 at 11:52 am 0 views Select Basic Java But Essential Knowledge for exams like SCJA, or to the project managers new to Java technologies #Computer Game Design #Java Short Notes Basic Java But Essential Knowledge for exams like SCJA, or to the project managers new to Java technologies #Computer Game Design #Java Short Notes

2021/07/27 at 4:10 am 0 views Select Java/J2EE:Important Resources: Struts, Spring, Hibernate, JPA #Java Short Notes Java/J2EE:Important Resources: Struts, Spring, Hibernate, JPA #Java Short Notes

2021/07/22 at 4:10 am 0 views Select Topics to Learn in Java Spring framework #Java Short Notes Topics to Learn in Java Spring framework #Java Short Notes

2021/07/22 at 4:10 am 0 views Select Java Skills for Job #Java Short Notes Java Skills for Job #Java Short Notes

2021/07/20 at 4:10 am 0 views Select Key J2EE Components : Basic Concepts with Examples #Java Short Notes Key J2EE Components : Basic Concepts with Examples #Java Short Notes

2021/07/19 at 4:10 am 0 views Select Servlet, JSP Specifications #Java Short Notes Servlet, JSP Specifications #Java Short Notes

2021/07/18 at 11:24 am 0 views Select Java Spring Topics: What spring framework brings to the table #Java Short Notes Java Spring Topics: What spring framework brings to the table #Java Short Notes

2021/07/18 at 10:54 am 0 views Select Spring Applications: Examples #Java Short Notes Spring Applications: Examples #Java Short Notes

2021/07/18 at 10:54 am 0 views Select MVC : Struts : Java : Industry Web Application #Java Short Notes MVC : Struts : Java : Industry Web Application #Java Short Notes

Math and Calculus Tutorials Online

Math and Calculus Tutorials Online Good one: Solving Ordinary (one variable) Differential Equations https://people.revoledu.com/kardi/tutorial/ODE/WhatisODE.htm Using Numerical Methods: https://people.revoledu.com/kardi/tutorial/ODE/Euler%20Method.htm

Introduction to Differential Equations https://analyzemath.com/calculus/Differential_Equations/introduction.html

Mathematical methods for economic theory (+Optimization) https://mjo.osborne.economics.utoronto.ca/index.php/tutorial/index/1/toc

Calculus Tutorials: https://www.midnighttutor.com/ https://www.midnighttutor.com/math_tutor_online.php

Math Tutorials: https://tutorial.math.lamar.edu/ Math Cheat Sheets: https://tutorial.math.lamar.edu/Extras/CheatSheets_Tables.aspx#CalcSheet

FIRST-ORDER DIFFERENTIAL EQUATIONS https://math.hmc.edu/calculus/hmc-mathematics-calculus-online-tutorials/differential-equations/first-order-differential-equations/