SlideShare a Scribd company logo
1 of 13
College of Administrative and Financial Sciences
Assignment One
Human Resource Management (MGT211)
Deadline: 06/03/2021 @ 23:59
Course Name: Human Resource Management
Student’s Name:
Course Code:MGT211
Student’s ID Number:
Semester: 2nd
CRN:24690
Academic Year:2020-21, 2nd Term
For Instructor’s Use only
Instructor’s Name: Dr. Moin Uddin
Students’ Grade:
Marks Obtained/Out of 5
Level of Marks: High/Middle/Low
Instructions – PLEASE READ THEM CAREFULLY
· The Assignment must be submitted on Blackboard (WORD
format only) via allocated folder.
· Assignments submitted through email will not be accepted.
· Students are advised to make their work clear and well
presented, marks may be reduced for poor presentation. This
includes filling your information on the cover page.
· Students must mention question number clearly in their
answer.
· Late submission will NOT be accepted.
· Avoid plagiarism, the work should be in your own words,
copying from students or other resources without proper
referencing will result in ZERO marks. No exceptions.
· All answered must be typed using Times New Roman (size 12,
double-spaced) font. No pictures containing text will be
accepted and will be considered plagiarism).
· Submissions without this cover page will NOT be accepted.
Assignment Workload:
· This Assignment comprise of a short Case.
· Assignment is to be submitted by each student individually.
Assignment Purposes/Learning Outcomes:
After completion of Assignment-1 students will able to
understand the following LOs:
LO1-1 Discuss the roles and activities of a company’s human
resource management function.
LO1-2 Discuss the implications of the economy, the makeup of
the labor force, and ethics for company sustainability.
LO1-3 Discuss how human resource management affects a
company’s balanced scorecard.
LO1-4 Discuss what companies should do to compete in the
global marketplace.
Assignment-1
Read the case given and answer the questions:
Mike INC. is well known for its welfare activities and
employee-oriented schemes in the manufacturing industry for
more than ten decades. The company employs more than 1000
workers and 200 administrative staff and 90 management-level
employees. The Top-level management views all the employees
at the same level. This can be clearly understood by seeing the
uniform of the company which is the Same for all starting from
MD to floor level workers. The company has 2 different
cafeterias at different places one near the plant for workers and
others near the Administration building. Though the place is
different the amenities, infrastructure and the food provided are
of the same quality.
The company has one registered trade union and the relationship
between the union and the management is very cordial. The
company has not lost a single man day due to strike. The
company is not a paymaster in that industry. The compensation
policy of that company, when compared to other similar
companies, is very less still the employees don’t have many
grievances due to the other benefits provided by the company.
But the company is facing a countable number of problems in
supplying the materials in the recent past days. Problemslike
quality issues, mismatch in packing materials (placing material
A in the box of material B) incorrect labelling of material, not
dispatching the material on time, etc…
The management views the case as there are loopholes in the
system of various departments and hand over the responsibility
to the HR department to solve the issue. When the HR manager
goes through the issues he realized that the issues are not
relating to the system but it relates to the employees. When
investigated he come to know that the reason behind the casual
approach by employees in work is
· The company hired new employees for a higher-level post
without considering the potential internal candidates.
· The newly hired employees are placed with higher packages
than that of existing employees in the same cadre.
Assignment Question(s): (Marks 5)
Q1. What are the major issues or concerns for employees at
Mike Inc.?(1.5Marks)
Q2. As an employee of this organization what would you
suggest to the employers? (1 Mark)
Q3. “Is the organization working on lines of ethics or not”
Comment (2.5 Marks)
Answers:
1.
2.
3.
This is an individual assignment. Seeking direct help from
students, tutors, and websites
such as chegg or stack overflow will be construed as a violation
of the honor code.
Semester Project 2: A BINGO Management System
Data Structures and Analysis of Algorithms, akk5
Objectives
• To strengthen student’s knowledge of C++ programming
• To give student experience reading and parsing strings of
commands
• To give student experience in writing Data Structures for data
types
Instructions
For this assignment you must write a program that implements
a BINGO management system. The
management system should be able to create/delete player
accounts, assign/remove BINGO cards to
each player, display the layout of a card, mark cards, and
declare BINGO’s.
A BINGO card is a 5 x 5 grid with columns labeled B, I, N, G,
O; each cell contains a number between 1
and 75. In traditional BINGO, the numbers for each column are
restricted, column B contains only the
values 1 to 15, column I’s values range from 16 to 30, column
N’s values range from 31 to 45, column G’s
values range from 46 to 60, and column O’s values range from
61 to 75. In addition to these restrictions,
every cell in the grid is unique (no duplicated values). The
central cell of the grid is usually considered a
free cell and thus has no assigned value – we can assign it the
value of 0 for ease of notation.
The game of BINGO consists of randomly generating numbers
from 1 to 75, announcing them to the
players, giving them time to mark their cards and declared
BINGOs, then repeating the process. A player
declares a BINGO if 5 marked cells form a row, column, or
diagonal. The game assumes that those
numbers are generated elsewhere and is only concerned with
managing the cards and declaring BINGO.
Because each card contains 24 separate elements of data in its
5x5 grid, cards will be represented by an
integer that is the seed for the series of random numbers which
generated the card’s values.
Your program should implement a text-based interface capable
of handling the following commands:
exit – exits the program
load <file> - parses the contents of the file as if they were
entered from the command line
display user <user> – displays a list of the user’s cards
display – displays a list of the users and their cards
display card <card> - display the specified card.
new game – clears each card of their current markings.
mark <cell> - mark the given cell for every card being managed
and check for a BINGO.
add user <user> - add a new user to the game
This is an individual assignment. Seeking direct help from
students, tutors, and websites
such as chegg or stack overflow will be construed as a violation
of the honor code.
add card <card> to <user> - add the given card to the specified
user. Report failure if the card is
duplicate.
remove user <user> - remove the specified user.
remove card <card> - remove the specified card.
Note: <cell> is an integer between 1 and 75.
<card> is the integer id for the card; how this
works is described below
<user> is a single word
Guidance
Use the Tokenizer class you developed, or the one I have
provided to assist in processing the commands
from the text-based interface.
There are a number of ways to generate random numbers in
C++. We will be using the minstd_rand0
generator as implemented in the random library. In order to use
this random number generator you
need to #include <random> and create an instance of the
generator as follows:
std::minstd_rand0 gen;
You can now generate random numbers with the generator as
follow:
cout << gen()%100 << endl;
would print out a random number generated using gen between
0 and 99.
You can use:
gen.seed(x);
to set the initial seed for the random number generator to x.
Use the seeding mechanism to generate cards from the integer id
described above.
This is an individual assignment. Seeking direct help from
students, tutors, and websites
such as chegg or stack overflow will be construed as a violation
of the honor code.
Grading Breakdown
Point Breakdown
Structure 12 pts
The program has a header comment with the
required information.
3 pts
The overall readability of the program. 3 pts
Program uses separate files for main and class
definitions
3 pts
Program includes meaningful comments 3 pts
Syntax 28 pts
Implements Class User correctly 13 pts
Implements Class Bingo correctly 15 pts
Behavior 60 pts
Program handles all command inputs properly
• Exit the program 5 pts
• Display a list of users and cards 5 pts
• Display a list of the user’s cards 5 pts
• Display a card specified by a given seed 5 pts
• Load a valid file 5 pts
• Clear the markings on every registered
card
5 pts
• Mark the specified cell on every card 5 pts
• Successfully declare a BINGO when it
occurs
5 pts
• Remove a given user 5 pts
• Remove a given card 5 pts
• Add a user to the game 5 pts
• Add a card to a given user 5 pts
Total Possible Points 100pts
Penalties
Program does NOT compile -100
Late up to 24 hrs -30
Late more than 24hrs -100
This is an individual assignment. Seeking direct help from
students, tutors, and websites
such as chegg or stack overflow will be construed as a violation
of the honor code.
Header Comment
At the top of each program, type in the following comment:
/*
Student Name: <student name>
Student NetID: <student NetID>
Compiler Used: <Visual Studio, GCC, etc.>
Program Description:
<Write a short description of the program.>
*/
Example:
/*
Student Name: John Smith
Student NetID: jjjs123
Compiler Used: Eclipse using MinGW
Program Description:
This program prints lots and lots of strings!!
*/
Assignment Information
Due Date: 2/21/2021

More Related Content

Similar to College of administrative and financial sciences assignme

2Jubail University CollegeDepartment of Business Adm.docx
2Jubail University CollegeDepartment of Business Adm.docx2Jubail University CollegeDepartment of Business Adm.docx
2Jubail University CollegeDepartment of Business Adm.docxlorainedeserre
 
software development methodologies
software development methodologiessoftware development methodologies
software development methodologiesJeremiah Wakamu
 
IRJET - Higher Education Access Prediction using Data Mining
IRJET -  	  Higher Education Access Prediction using Data MiningIRJET -  	  Higher Education Access Prediction using Data Mining
IRJET - Higher Education Access Prediction using Data MiningIRJET Journal
 
How to crack Admin and Advanced Admin
How to crack Admin and Advanced AdminHow to crack Admin and Advanced Admin
How to crack Admin and Advanced AdminKadharBashaJ
 
Ddoocp assignment qp spring winter 2021 final
Ddoocp assignment qp spring   winter 2021 finalDdoocp assignment qp spring   winter 2021 final
Ddoocp assignment qp spring winter 2021 finalBoitumeloSelelo
 
UNIVERSITY OF SUNDERLAND AN.docx
                             UNIVERSITY OF SUNDERLAND AN.docx                             UNIVERSITY OF SUNDERLAND AN.docx
UNIVERSITY OF SUNDERLAND AN.docxrobert345678
 
E learning resource locator, Synopsis
E learning resource locator, SynopsisE learning resource locator, Synopsis
E learning resource locator, SynopsisWipro
 
Assignment 3 Implementing and Evaluating the Future at Galaxy Toy.docx
Assignment 3 Implementing and Evaluating the Future at Galaxy Toy.docxAssignment 3 Implementing and Evaluating the Future at Galaxy Toy.docx
Assignment 3 Implementing and Evaluating the Future at Galaxy Toy.docxrock73
 
Data Clustering in Education for Students
Data Clustering in Education for StudentsData Clustering in Education for Students
Data Clustering in Education for StudentsIRJET Journal
 
2020 Updated Microsoft MB-200 Questions and Answers
2020 Updated Microsoft MB-200 Questions and Answers2020 Updated Microsoft MB-200 Questions and Answers
2020 Updated Microsoft MB-200 Questions and Answersdouglascarnicelli
 
INF20015 Requirements Analysis & Modelling pg. 1 Swi.docx
INF20015 Requirements Analysis & Modelling   pg. 1 Swi.docxINF20015 Requirements Analysis & Modelling   pg. 1 Swi.docx
INF20015 Requirements Analysis & Modelling pg. 1 Swi.docxjaggernaoma
 
2. DD-sample.docx
2. DD-sample.docx2. DD-sample.docx
2. DD-sample.docxdpgdpg
 
Comp421 final project(students) new
Comp421 final project(students) newComp421 final project(students) new
Comp421 final project(students) newSawsanZowayed
 
MITS5509 Assignment 3 MITS5509 .docx
MITS5509 Assignment 3   MITS5509 .docxMITS5509 Assignment 3   MITS5509 .docx
MITS5509 Assignment 3 MITS5509 .docxhelzerpatrina
 
IBM Attrition Presentation Deck.pdf
IBM Attrition Presentation Deck.pdfIBM Attrition Presentation Deck.pdf
IBM Attrition Presentation Deck.pdfChetanPant17
 

Similar to College of administrative and financial sciences assignme (20)

2Jubail University CollegeDepartment of Business Adm.docx
2Jubail University CollegeDepartment of Business Adm.docx2Jubail University CollegeDepartment of Business Adm.docx
2Jubail University CollegeDepartment of Business Adm.docx
 
Introduction to BDD
Introduction to BDD Introduction to BDD
Introduction to BDD
 
Sample1
Sample1Sample1
Sample1
 
Zendesk and NLP
Zendesk and NLPZendesk and NLP
Zendesk and NLP
 
software development methodologies
software development methodologiessoftware development methodologies
software development methodologies
 
IRJET - Higher Education Access Prediction using Data Mining
IRJET -  	  Higher Education Access Prediction using Data MiningIRJET -  	  Higher Education Access Prediction using Data Mining
IRJET - Higher Education Access Prediction using Data Mining
 
How to crack Admin and Advanced Admin
How to crack Admin and Advanced AdminHow to crack Admin and Advanced Admin
How to crack Admin and Advanced Admin
 
Ddoocp assignment qp spring winter 2021 final
Ddoocp assignment qp spring   winter 2021 finalDdoocp assignment qp spring   winter 2021 final
Ddoocp assignment qp spring winter 2021 final
 
UNIVERSITY OF SUNDERLAND AN.docx
                             UNIVERSITY OF SUNDERLAND AN.docx                             UNIVERSITY OF SUNDERLAND AN.docx
UNIVERSITY OF SUNDERLAND AN.docx
 
E learning resource locator, Synopsis
E learning resource locator, SynopsisE learning resource locator, Synopsis
E learning resource locator, Synopsis
 
Assignment 3 Implementing and Evaluating the Future at Galaxy Toy.docx
Assignment 3 Implementing and Evaluating the Future at Galaxy Toy.docxAssignment 3 Implementing and Evaluating the Future at Galaxy Toy.docx
Assignment 3 Implementing and Evaluating the Future at Galaxy Toy.docx
 
Data Clustering in Education for Students
Data Clustering in Education for StudentsData Clustering in Education for Students
Data Clustering in Education for Students
 
2020 Updated Microsoft MB-200 Questions and Answers
2020 Updated Microsoft MB-200 Questions and Answers2020 Updated Microsoft MB-200 Questions and Answers
2020 Updated Microsoft MB-200 Questions and Answers
 
INF20015 Requirements Analysis & Modelling pg. 1 Swi.docx
INF20015 Requirements Analysis & Modelling   pg. 1 Swi.docxINF20015 Requirements Analysis & Modelling   pg. 1 Swi.docx
INF20015 Requirements Analysis & Modelling pg. 1 Swi.docx
 
2. DD-sample.docx
2. DD-sample.docx2. DD-sample.docx
2. DD-sample.docx
 
Comp421 final project(students) new
Comp421 final project(students) newComp421 final project(students) new
Comp421 final project(students) new
 
Analysis
AnalysisAnalysis
Analysis
 
MITS5509 Assignment 3 MITS5509 .docx
MITS5509 Assignment 3   MITS5509 .docxMITS5509 Assignment 3   MITS5509 .docx
MITS5509 Assignment 3 MITS5509 .docx
 
C Programming
C ProgrammingC Programming
C Programming
 
IBM Attrition Presentation Deck.pdf
IBM Attrition Presentation Deck.pdfIBM Attrition Presentation Deck.pdf
IBM Attrition Presentation Deck.pdf
 

More from nand15

Diversity presentationlearner’s namecapella universitycult
Diversity presentationlearner’s namecapella universitycultDiversity presentationlearner’s namecapella universitycult
Diversity presentationlearner’s namecapella universitycultnand15
 
Discussion a interview yourself—or, better yet, have someone inte
Discussion a interview yourself—or, better yet, have someone inteDiscussion a interview yourself—or, better yet, have someone inte
Discussion a interview yourself—or, better yet, have someone intenand15
 
Discussion 1. explain why it is important that software product
Discussion 1. explain why it is important that software productDiscussion 1. explain why it is important that software product
Discussion 1. explain why it is important that software productnand15
 
Directed patrol and proactive policing for this assignment, you w
Directed patrol and proactive policing for this assignment, you wDirected patrol and proactive policing for this assignment, you w
Directed patrol and proactive policing for this assignment, you wnand15
 
Details distribution, posting, or copying of this pdf is st
Details distribution, posting, or copying of this pdf is stDetails distribution, posting, or copying of this pdf is st
Details distribution, posting, or copying of this pdf is stnand15
 
Describe your ethnic, racial, and cultural background.african am
Describe your ethnic, racial, and cultural background.african amDescribe your ethnic, racial, and cultural background.african am
Describe your ethnic, racial, and cultural background.african amnand15
 
Data location fooddécorservicesummated ratingcoded locationcostcity2
Data location fooddécorservicesummated ratingcoded locationcostcity2Data location fooddécorservicesummated ratingcoded locationcostcity2
Data location fooddécorservicesummated ratingcoded locationcostcity2nand15
 
Dataimage9 45.png dataimage7-31.pngdataimage4-47.png
Dataimage9 45.png dataimage7-31.pngdataimage4-47.pngDataimage9 45.png dataimage7-31.pngdataimage4-47.png
Dataimage9 45.png dataimage7-31.pngdataimage4-47.pngnand15
 
Data id agesexemployededucation_levelannual_incomeweightheightsm
Data id agesexemployededucation_levelannual_incomeweightheightsmData id agesexemployededucation_levelannual_incomeweightheightsm
Data id agesexemployededucation_levelannual_incomeweightheightsmnand15
 
Data sheet activity genetics all content is copyright protecte
Data sheet activity   genetics all content is copyright protecteData sheet activity   genetics all content is copyright protecte
Data sheet activity genetics all content is copyright protectenand15
 
Data analysis and application
Data analysis and application                                     Data analysis and application
Data analysis and application nand15
 
Dargeangrix business scenario  dargean grix, inc. is a fict
Dargeangrix business scenario  dargean grix, inc. is a fictDargeangrix business scenario  dargean grix, inc. is a fict
Dargeangrix business scenario  dargean grix, inc. is a fictnand15
 
Costco, walmart want ag control by alan guebert ma
Costco, walmart want ag control by alan guebert       maCostco, walmart want ag control by alan guebert       ma
Costco, walmart want ag control by alan guebert manand15
 
Copyright 1987. uni
Copyright  1987. uniCopyright  1987. uni
Copyright 1987. uninand15
 
Content samplereflectionjournalentry.htmlsample reflection
Content samplereflectionjournalentry.htmlsample reflectionContent samplereflectionjournalentry.htmlsample reflection
Content samplereflectionjournalentry.htmlsample reflectionnand15
 
Consider what you learned about art therapy in the beginning of this
Consider what you learned about art therapy in the beginning of thisConsider what you learned about art therapy in the beginning of this
Consider what you learned about art therapy in the beginning of thisnand15
 
Complete the answer for 1 and 2 in the text box.be constructive an
Complete the answer for 1 and 2 in the text box.be constructive anComplete the answer for 1 and 2 in the text box.be constructive an
Complete the answer for 1 and 2 in the text box.be constructive annand15
 
Company information acct 370 excel projectjohnson &amp; johnsoncompany
Company information acct 370 excel projectjohnson &amp; johnsoncompany Company information acct 370 excel projectjohnson &amp; johnsoncompany
Company information acct 370 excel projectjohnson &amp; johnsoncompany nand15
 
College of administrative and financial sciences assignment 1
College of administrative and financial sciences assignment 1College of administrative and financial sciences assignment 1
College of administrative and financial sciences assignment 1nand15
 
Close reading the assignment a one to two page cl
Close reading the assignment a one to two page clClose reading the assignment a one to two page cl
Close reading the assignment a one to two page clnand15
 

More from nand15 (20)

Diversity presentationlearner’s namecapella universitycult
Diversity presentationlearner’s namecapella universitycultDiversity presentationlearner’s namecapella universitycult
Diversity presentationlearner’s namecapella universitycult
 
Discussion a interview yourself—or, better yet, have someone inte
Discussion a interview yourself—or, better yet, have someone inteDiscussion a interview yourself—or, better yet, have someone inte
Discussion a interview yourself—or, better yet, have someone inte
 
Discussion 1. explain why it is important that software product
Discussion 1. explain why it is important that software productDiscussion 1. explain why it is important that software product
Discussion 1. explain why it is important that software product
 
Directed patrol and proactive policing for this assignment, you w
Directed patrol and proactive policing for this assignment, you wDirected patrol and proactive policing for this assignment, you w
Directed patrol and proactive policing for this assignment, you w
 
Details distribution, posting, or copying of this pdf is st
Details distribution, posting, or copying of this pdf is stDetails distribution, posting, or copying of this pdf is st
Details distribution, posting, or copying of this pdf is st
 
Describe your ethnic, racial, and cultural background.african am
Describe your ethnic, racial, and cultural background.african amDescribe your ethnic, racial, and cultural background.african am
Describe your ethnic, racial, and cultural background.african am
 
Data location fooddécorservicesummated ratingcoded locationcostcity2
Data location fooddécorservicesummated ratingcoded locationcostcity2Data location fooddécorservicesummated ratingcoded locationcostcity2
Data location fooddécorservicesummated ratingcoded locationcostcity2
 
Dataimage9 45.png dataimage7-31.pngdataimage4-47.png
Dataimage9 45.png dataimage7-31.pngdataimage4-47.pngDataimage9 45.png dataimage7-31.pngdataimage4-47.png
Dataimage9 45.png dataimage7-31.pngdataimage4-47.png
 
Data id agesexemployededucation_levelannual_incomeweightheightsm
Data id agesexemployededucation_levelannual_incomeweightheightsmData id agesexemployededucation_levelannual_incomeweightheightsm
Data id agesexemployededucation_levelannual_incomeweightheightsm
 
Data sheet activity genetics all content is copyright protecte
Data sheet activity   genetics all content is copyright protecteData sheet activity   genetics all content is copyright protecte
Data sheet activity genetics all content is copyright protecte
 
Data analysis and application
Data analysis and application                                     Data analysis and application
Data analysis and application
 
Dargeangrix business scenario  dargean grix, inc. is a fict
Dargeangrix business scenario  dargean grix, inc. is a fictDargeangrix business scenario  dargean grix, inc. is a fict
Dargeangrix business scenario  dargean grix, inc. is a fict
 
Costco, walmart want ag control by alan guebert ma
Costco, walmart want ag control by alan guebert       maCostco, walmart want ag control by alan guebert       ma
Costco, walmart want ag control by alan guebert ma
 
Copyright 1987. uni
Copyright  1987. uniCopyright  1987. uni
Copyright 1987. uni
 
Content samplereflectionjournalentry.htmlsample reflection
Content samplereflectionjournalentry.htmlsample reflectionContent samplereflectionjournalentry.htmlsample reflection
Content samplereflectionjournalentry.htmlsample reflection
 
Consider what you learned about art therapy in the beginning of this
Consider what you learned about art therapy in the beginning of thisConsider what you learned about art therapy in the beginning of this
Consider what you learned about art therapy in the beginning of this
 
Complete the answer for 1 and 2 in the text box.be constructive an
Complete the answer for 1 and 2 in the text box.be constructive anComplete the answer for 1 and 2 in the text box.be constructive an
Complete the answer for 1 and 2 in the text box.be constructive an
 
Company information acct 370 excel projectjohnson &amp; johnsoncompany
Company information acct 370 excel projectjohnson &amp; johnsoncompany Company information acct 370 excel projectjohnson &amp; johnsoncompany
Company information acct 370 excel projectjohnson &amp; johnsoncompany
 
College of administrative and financial sciences assignment 1
College of administrative and financial sciences assignment 1College of administrative and financial sciences assignment 1
College of administrative and financial sciences assignment 1
 
Close reading the assignment a one to two page cl
Close reading the assignment a one to two page clClose reading the assignment a one to two page cl
Close reading the assignment a one to two page cl
 

Recently uploaded

The Most Excellent Way | 1 Corinthians 13
The Most Excellent Way | 1 Corinthians 13The Most Excellent Way | 1 Corinthians 13
The Most Excellent Way | 1 Corinthians 13Steve Thomason
 
URLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppURLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppCeline George
 
Hybridoma Technology ( Production , Purification , and Application )
Hybridoma Technology  ( Production , Purification , and Application  ) Hybridoma Technology  ( Production , Purification , and Application  )
Hybridoma Technology ( Production , Purification , and Application ) Sakshi Ghasle
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxNirmalaLoungPoorunde1
 
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions  for the students and aspirants of Chemistry12th.pptxOrganic Name Reactions  for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions for the students and aspirants of Chemistry12th.pptxVS Mahajan Coaching Centre
 
Crayon Activity Handout For the Crayon A
Crayon Activity Handout For the Crayon ACrayon Activity Handout For the Crayon A
Crayon Activity Handout For the Crayon AUnboundStockton
 
Micromeritics - Fundamental and Derived Properties of Powders
Micromeritics - Fundamental and Derived Properties of PowdersMicromeritics - Fundamental and Derived Properties of Powders
Micromeritics - Fundamental and Derived Properties of PowdersChitralekhaTherkar
 
Mastering the Unannounced Regulatory Inspection
Mastering the Unannounced Regulatory InspectionMastering the Unannounced Regulatory Inspection
Mastering the Unannounced Regulatory InspectionSafetyChain Software
 
Grant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy ConsultingGrant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy ConsultingTechSoup
 
A Critique of the Proposed National Education Policy Reform
A Critique of the Proposed National Education Policy ReformA Critique of the Proposed National Education Policy Reform
A Critique of the Proposed National Education Policy ReformChameera Dedduwage
 
The basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxThe basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxheathfieldcps1
 
Presiding Officer Training module 2024 lok sabha elections
Presiding Officer Training module 2024 lok sabha electionsPresiding Officer Training module 2024 lok sabha elections
Presiding Officer Training module 2024 lok sabha electionsanshu789521
 
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17Celine George
 
Alper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentAlper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentInMediaRes1
 
Concept of Vouching. B.Com(Hons) /B.Compdf
Concept of Vouching. B.Com(Hons) /B.CompdfConcept of Vouching. B.Com(Hons) /B.Compdf
Concept of Vouching. B.Com(Hons) /B.CompdfUmakantAnnand
 
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptxSOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptxiammrhaywood
 

Recently uploaded (20)

The Most Excellent Way | 1 Corinthians 13
The Most Excellent Way | 1 Corinthians 13The Most Excellent Way | 1 Corinthians 13
The Most Excellent Way | 1 Corinthians 13
 
URLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppURLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website App
 
Hybridoma Technology ( Production , Purification , and Application )
Hybridoma Technology  ( Production , Purification , and Application  ) Hybridoma Technology  ( Production , Purification , and Application  )
Hybridoma Technology ( Production , Purification , and Application )
 
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptx
 
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions  for the students and aspirants of Chemistry12th.pptxOrganic Name Reactions  for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
 
Código Creativo y Arte de Software | Unidad 1
Código Creativo y Arte de Software | Unidad 1Código Creativo y Arte de Software | Unidad 1
Código Creativo y Arte de Software | Unidad 1
 
Crayon Activity Handout For the Crayon A
Crayon Activity Handout For the Crayon ACrayon Activity Handout For the Crayon A
Crayon Activity Handout For the Crayon A
 
Micromeritics - Fundamental and Derived Properties of Powders
Micromeritics - Fundamental and Derived Properties of PowdersMicromeritics - Fundamental and Derived Properties of Powders
Micromeritics - Fundamental and Derived Properties of Powders
 
Mastering the Unannounced Regulatory Inspection
Mastering the Unannounced Regulatory InspectionMastering the Unannounced Regulatory Inspection
Mastering the Unannounced Regulatory Inspection
 
Grant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy ConsultingGrant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy Consulting
 
A Critique of the Proposed National Education Policy Reform
A Critique of the Proposed National Education Policy ReformA Critique of the Proposed National Education Policy Reform
A Critique of the Proposed National Education Policy Reform
 
The basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxThe basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptx
 
Presiding Officer Training module 2024 lok sabha elections
Presiding Officer Training module 2024 lok sabha electionsPresiding Officer Training module 2024 lok sabha elections
Presiding Officer Training module 2024 lok sabha elections
 
Staff of Color (SOC) Retention Efforts DDSD
Staff of Color (SOC) Retention Efforts DDSDStaff of Color (SOC) Retention Efforts DDSD
Staff of Color (SOC) Retention Efforts DDSD
 
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
Incoming and Outgoing Shipments in 1 STEP Using Odoo 17
 
Alper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentAlper Gobel In Media Res Media Component
Alper Gobel In Media Res Media Component
 
Model Call Girl in Bikash Puri Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Bikash Puri  Delhi reach out to us at 🔝9953056974🔝Model Call Girl in Bikash Puri  Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Bikash Puri Delhi reach out to us at 🔝9953056974🔝
 
Concept of Vouching. B.Com(Hons) /B.Compdf
Concept of Vouching. B.Com(Hons) /B.CompdfConcept of Vouching. B.Com(Hons) /B.Compdf
Concept of Vouching. B.Com(Hons) /B.Compdf
 
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptxSOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
 

College of administrative and financial sciences assignme

  • 1. College of Administrative and Financial Sciences Assignment One Human Resource Management (MGT211) Deadline: 06/03/2021 @ 23:59 Course Name: Human Resource Management Student’s Name: Course Code:MGT211 Student’s ID Number: Semester: 2nd CRN:24690 Academic Year:2020-21, 2nd Term For Instructor’s Use only Instructor’s Name: Dr. Moin Uddin Students’ Grade: Marks Obtained/Out of 5 Level of Marks: High/Middle/Low Instructions – PLEASE READ THEM CAREFULLY · The Assignment must be submitted on Blackboard (WORD format only) via allocated folder. · Assignments submitted through email will not be accepted. · Students are advised to make their work clear and well presented, marks may be reduced for poor presentation. This includes filling your information on the cover page. · Students must mention question number clearly in their answer. · Late submission will NOT be accepted.
  • 2. · Avoid plagiarism, the work should be in your own words, copying from students or other resources without proper referencing will result in ZERO marks. No exceptions. · All answered must be typed using Times New Roman (size 12, double-spaced) font. No pictures containing text will be accepted and will be considered plagiarism). · Submissions without this cover page will NOT be accepted. Assignment Workload: · This Assignment comprise of a short Case. · Assignment is to be submitted by each student individually. Assignment Purposes/Learning Outcomes: After completion of Assignment-1 students will able to understand the following LOs: LO1-1 Discuss the roles and activities of a company’s human resource management function. LO1-2 Discuss the implications of the economy, the makeup of the labor force, and ethics for company sustainability. LO1-3 Discuss how human resource management affects a company’s balanced scorecard. LO1-4 Discuss what companies should do to compete in the global marketplace. Assignment-1 Read the case given and answer the questions: Mike INC. is well known for its welfare activities and employee-oriented schemes in the manufacturing industry for more than ten decades. The company employs more than 1000 workers and 200 administrative staff and 90 management-level employees. The Top-level management views all the employees at the same level. This can be clearly understood by seeing the uniform of the company which is the Same for all starting from MD to floor level workers. The company has 2 different cafeterias at different places one near the plant for workers and others near the Administration building. Though the place is different the amenities, infrastructure and the food provided are of the same quality.
  • 3. The company has one registered trade union and the relationship between the union and the management is very cordial. The company has not lost a single man day due to strike. The company is not a paymaster in that industry. The compensation policy of that company, when compared to other similar companies, is very less still the employees don’t have many grievances due to the other benefits provided by the company. But the company is facing a countable number of problems in supplying the materials in the recent past days. Problemslike quality issues, mismatch in packing materials (placing material A in the box of material B) incorrect labelling of material, not dispatching the material on time, etc… The management views the case as there are loopholes in the system of various departments and hand over the responsibility to the HR department to solve the issue. When the HR manager goes through the issues he realized that the issues are not relating to the system but it relates to the employees. When investigated he come to know that the reason behind the casual approach by employees in work is · The company hired new employees for a higher-level post without considering the potential internal candidates. · The newly hired employees are placed with higher packages than that of existing employees in the same cadre.
  • 4. Assignment Question(s): (Marks 5) Q1. What are the major issues or concerns for employees at Mike Inc.?(1.5Marks) Q2. As an employee of this organization what would you suggest to the employers? (1 Mark) Q3. “Is the organization working on lines of ethics or not” Comment (2.5 Marks) Answers: 1. 2. 3.
  • 5. This is an individual assignment. Seeking direct help from students, tutors, and websites such as chegg or stack overflow will be construed as a violation of the honor code. Semester Project 2: A BINGO Management System Data Structures and Analysis of Algorithms, akk5 Objectives • To strengthen student’s knowledge of C++ programming • To give student experience reading and parsing strings of commands • To give student experience in writing Data Structures for data types Instructions For this assignment you must write a program that implements a BINGO management system. The management system should be able to create/delete player accounts, assign/remove BINGO cards to each player, display the layout of a card, mark cards, and declare BINGO’s. A BINGO card is a 5 x 5 grid with columns labeled B, I, N, G, O; each cell contains a number between 1
  • 6. and 75. In traditional BINGO, the numbers for each column are restricted, column B contains only the values 1 to 15, column I’s values range from 16 to 30, column N’s values range from 31 to 45, column G’s values range from 46 to 60, and column O’s values range from 61 to 75. In addition to these restrictions, every cell in the grid is unique (no duplicated values). The central cell of the grid is usually considered a free cell and thus has no assigned value – we can assign it the value of 0 for ease of notation. The game of BINGO consists of randomly generating numbers from 1 to 75, announcing them to the players, giving them time to mark their cards and declared BINGOs, then repeating the process. A player declares a BINGO if 5 marked cells form a row, column, or diagonal. The game assumes that those numbers are generated elsewhere and is only concerned with managing the cards and declaring BINGO. Because each card contains 24 separate elements of data in its 5x5 grid, cards will be represented by an integer that is the seed for the series of random numbers which generated the card’s values. Your program should implement a text-based interface capable of handling the following commands:
  • 7. exit – exits the program load <file> - parses the contents of the file as if they were entered from the command line display user <user> – displays a list of the user’s cards display – displays a list of the users and their cards display card <card> - display the specified card. new game – clears each card of their current markings. mark <cell> - mark the given cell for every card being managed and check for a BINGO. add user <user> - add a new user to the game This is an individual assignment. Seeking direct help from students, tutors, and websites such as chegg or stack overflow will be construed as a violation of the honor code. add card <card> to <user> - add the given card to the specified user. Report failure if the card is duplicate. remove user <user> - remove the specified user. remove card <card> - remove the specified card.
  • 8. Note: <cell> is an integer between 1 and 75. <card> is the integer id for the card; how this works is described below <user> is a single word Guidance Use the Tokenizer class you developed, or the one I have provided to assist in processing the commands from the text-based interface. There are a number of ways to generate random numbers in C++. We will be using the minstd_rand0 generator as implemented in the random library. In order to use this random number generator you need to #include <random> and create an instance of the generator as follows: std::minstd_rand0 gen; You can now generate random numbers with the generator as follow: cout << gen()%100 << endl; would print out a random number generated using gen between 0 and 99.
  • 9. You can use: gen.seed(x); to set the initial seed for the random number generator to x. Use the seeding mechanism to generate cards from the integer id described above. This is an individual assignment. Seeking direct help from students, tutors, and websites such as chegg or stack overflow will be construed as a violation of the honor code. Grading Breakdown Point Breakdown Structure 12 pts The program has a header comment with the required information. 3 pts The overall readability of the program. 3 pts Program uses separate files for main and class
  • 10. definitions 3 pts Program includes meaningful comments 3 pts Syntax 28 pts Implements Class User correctly 13 pts Implements Class Bingo correctly 15 pts Behavior 60 pts Program handles all command inputs properly • Exit the program 5 pts • Display a list of users and cards 5 pts • Display a list of the user’s cards 5 pts • Display a card specified by a given seed 5 pts • Load a valid file 5 pts • Clear the markings on every registered card 5 pts • Mark the specified cell on every card 5 pts
  • 11. • Successfully declare a BINGO when it occurs 5 pts • Remove a given user 5 pts • Remove a given card 5 pts • Add a user to the game 5 pts • Add a card to a given user 5 pts Total Possible Points 100pts Penalties Program does NOT compile -100 Late up to 24 hrs -30 Late more than 24hrs -100 This is an individual assignment. Seeking direct help from students, tutors, and websites such as chegg or stack overflow will be construed as a violation of the honor code.
  • 12. Header Comment At the top of each program, type in the following comment: /* Student Name: <student name> Student NetID: <student NetID> Compiler Used: <Visual Studio, GCC, etc.> Program Description: <Write a short description of the program.> */ Example: /* Student Name: John Smith Student NetID: jjjs123 Compiler Used: Eclipse using MinGW Program Description: This program prints lots and lots of strings!!