The most important data to access in the HRIS to determine feasible HR programs is personnel cost.
What is HRIS?HRIS is an acronym for human resource information system and it can be defined as a software system that is designed and developed, so as to help a business firm to collect, manage, and store detailed data on its employees or workers.
Generally, the important data to access in the human resource information system (HRIS) system for the units and divisions of the multinational enterprise (MNE) to determine feasible HR programs is personnel cost because it would affect the total amount of money that would be spent in training them on how to use the latest technology in the market.
Read more on HRIS here: https://brainly.com/question/23264557
write the steps for renaming an existing folder
Answer:
Rename a file or folder
Explanation:
1.Right-click on the item and select Rename, or select the file and press F2 .
2.Type the new name and press Enter or click Rename.
A company needs calculating the total working time of employees in a team. You are going to help to write a program that totals the working time in hours and minutes. You should name your program as working_time.py.
Your program should first ask the user how many employees there are on the team. You may assume the value entered will not be negative, but it could be zero. Your program will now be controlled by a loop that asks for, and adds, the hours and minutes for each employee. Of course, the minutes will frequently add up to more than an hour, but you should not report a total time such as 24 hours 77 minutes for example (or worse, 18 hours 377 minutes). Instead you should report the total time as 25 hours 17 minutes. On the other hand, if the total number of hours is 24 or greater you should not report the time in days, hours and minutes. Hours and minutes are all that are to be reported. While you may assume that all of the hours and minutes entered by the user will be nonnegative, a time may be entered with minutes that exceed 60. Your program should be able to handle this and still report the total correctly.
For example, 5 hours, 65 minutes and 3 hours, 88 minutes should add up to 10 hours, 33 minutes. Consequently for a given team we should see output such as:
Total time: 29 hours 18 minutes
Answer:
total_hours = 0
total_minutes = 0
employees = int(input("How many employees there are? "))
for e in range(employees):
hours = int(input("Enter the hours: "))
minutes = int(input("Enter the minutes: "))
total_hours += hours
total_minutes += minutes
if total_minutes >= 60:
total_hours += int(total_minutes / 60)
total_minutes = total_minutes % 60
print("Total time: " + str(total_hours) + " hours " + str(total_minutes) + " minutes")
Explanation:
Initialize the total_hours and total_minutes as 0
Ask the user to enter the number of employees
Create a for loop that iterates for each employee. Inside the loop, ask the user to enter the hours and minutes. Add the hours to total_hours (cumulative sum) and add the minutes to total_minutes (cumulative sum). If the total_minutes is greater than or equal to 60, get the number of hours in the total_minutes, divide total_minutes by 60 and get the integer part. Also, set the total_minutes to remainder of the minutes from 60
When the loop is done, print the hours and minutes as requested
Question #5
Multiple Choice
Which of these is a feature of a vector graphic?
1. photorealism
2. wireframe
3. quality loss when resizing
4. pixels
Vector graphics are photorealistic and as such a feature of a vector graphic is photorealism.
What is a vector graphic?A vector graphics are graphics that are made up of paths, that is they are known by a start and end point, in line with other points, curves, etc. as seen along the way.
Note that in vector graphics, A path can be made of a line, a square, a triangle, etc.
Learn more about vector graphic from
https://brainly.com/question/7205645
Answer:
wireframe
Explanation:
got it right on edge
Write code for a 3rd Grade math tutor program that provides simple addition questions. Use only numbers in the range 0 to 100 inclusive in the math problems. No number should exceed 100 in the questions or answers.
Answer:
Here is the JAVA program:
import java.util.Random; //to generate random numbers
import java.util.Scanner; //to accept input from user
public class Main { //class name
public static void main(String[] args) { //start of main method
int score = 0; //to store the number of correct answers
Random rand = new Random(); //generates random numbers
int answer; //to store the answers given by student
do { //to keep asking addition questions
int number1 = rand.nextInt(101); //generate random number from 0 to 100 for operand 1
int number2 = rand.nextInt(101); //generate random number from 0 to 100 for operand 2
Scanner input = new Scanner(System.in); //to read input from user
System.out.print("What is " + number1 + " + " + number2 + " ? "); //asks addition question
answer = input.nextInt(); //reads the answer from user(student)
if ((number1 + number2) == answer) //if user answer of addition of two numbers is correct
score = score + 1; //adds 1 to the score each time the answer to the addition question is correct
}while(answer<=100); //keeps asking question until the answer number exceeds 100
System.out.println("Total score is: " + score); }}//displays the total score of student
Explanation:
The above program basically asks addition questions from user. Each addition question has two random numbers and the answer is given by user. At each right answer, the variable score is incremented by 1 in order to store the number of correct answers by user. If the answer to any addition question exceeds 100 then the loop breaks and program stops and the questions answered before that question is considered only.
Another way to do this is to ask 10 addition questions by using random numbers as operands and only that answer is considered which does not exceed 100. Next the if condition checks if the answer to the addition is correct. If this condition evaluates to true then the if condition inside this if condition checks that the value of answer does not exceed 100. If this inner if condition evaluate to true only then the score is incremented to 1 otherwise not and the program displays a message. Here is that program:
import java.util.Random;
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
int score = 0;
Random rand = new Random();
for (int i = 0; i < 11; i++) {
int number1 = rand.nextInt(101);
int number2 = rand.nextInt(101);
Scanner input = new Scanner(System.in);
System.out.print("What is " + number1 + " + " + number2 + " ? ");
int answer = input.nextInt();
if ((number1 + number2) == answer)
{ if (answer<=100)
{ score = score + 1;}
else
{System.out.print("Answer should not be greater than 100 \n");} } }
System.out.println("Total score is: " + score); }}
The screenshot of both program outputs is attached.
Answer:how the hell do u even do that the guy made one kudos to him
Explanation:I didn’t realize I was writing this here I meant to my friend
Write a program (Console or GUI) that determines the change to be dispensed from a vending machine. An item in the machine can cost between 25 cents and 1 dollar, in 5-cent increments (25, 30, 35,…,95, 100), and the machine accepts only a single dollar bill to pay for the item. For example, a possible sample dialog might be the following:
Output: Enter price of item (from 25 cents to a dollar, in 5-cent increments):
45 You bought an item for 45 cents and gave me a dollar, so your change is 2 quarters, 0 dimes, and
Answer:
Here is the JAVA program:
import java.util.Scanner; //to accept input from user
public class Main { //class name
public static void main(String[] args) { //start of main function
Scanner input =new Scanner(System.in); // creates Scanner class object
int amount, quarters, dimes, nickels, pennies,change; //declare variables
System.out.println("Enter the price of the(from 25 cents to a dollar, in 5-cent increments): "); //prompts user to enter the price
amount=input.nextInt(); //reads amount from user
change= 100-amount; //computes change
System.out.println("You bought an item for " + amount+" cents and gave me a dollar, so your change is :");
quarters=change/25; //computes quarters
change=change%25; //computes quarter remaining
if(quarters == 1) // if quarter is equal to 1
System.out.println(quarters+ " quarter"); //prints quarter value in singular
else if (quarters>1) // if value of quarters is greater than 1
System.out.println(quarters+" quarters"); //prints plural quarters value
dimes=change/10; //computes dimes
if(dimes == 1) // if value of dime is equal to 1
System.out.println(dimes+ " dime"); //prints single value of dimes
else if (dimes>1) //if value of dimes is greater than 1
System.out.println(dimes+" dimes"); //prints plural value of dimes
change=change%10; //computes dimes remaining
nickels=change/5; //computes nickels
if(nickels == 1) //if value of nickels is equal to 1
System.out.println(nickels+ " nickel"); //prints single value of nickels
else if (nickels>1) //if value of nickels is greater than 1
System.out.println(nickels+" nickels"); //prints plural value of nickels
change=change%5; //computes nickels remaining
pennies=change; //computes pennies
if(pennies == 1) //if value of pennies is equal to 1
System.out.println(pennies+ " penny"); //prints single value of pennies
else if (pennies>1) //if value of pennies is greater than 1
System.out.println(pennies+" pennies"); } } //prints plural value of pennies
Explanation:
I will explain the program with an example:
Suppose amount= 75
Then change = 100 - amount= 100 - 75 = 25
change = 25
quarters = change/25 = 25/25 = 1
quarters = 1
change = change % 25 = 25%25 = 0
dimes = 0/10 = 0
Now all other values are 0.
Now the following line is printed on screen:
You bought an item for 75 cents and gave me a dollar. Your change is:
Now program moves to if part
if quarters == 1
This is true because value of quarter is 1
sot "quarter" is displayed with the value of quarters
Now the following line is printed on screen:
1 quarter
So the complete output of the program is:
You bought an item for 75 cents and gave me a dollar. Your change is:
1 quarter
Write a method to add/subtract two matrices. The header of the method is as follows:
public static double[][] addMatrix(double[][] a, double[][] b or public static double[][] subtractMatrix(double[][] a, double[][] b
In order to be add/subtract, the two matrices must have the same dimensions and the same or compatible types of elements.
Answer: A
Explanation:
do films considered as a form of media?
It’s been six months since the disk crash at CSM Tech Publishing, and the owner is breathing a little easier because you installed a fault-tolerant solution to prevent loss of time and data if a disk crashes in the future. Business is good, and the current solution is starting to run low on disk space. In addition, the owner has some other needs that might require more disk space, and he wants to keep the data on separate volumes (what he calls drives). He wants a flexible solution in which drives and volumes aren’t restricted in their configuration. He also wants to be able to add storage space to existing volumes easily without having to reconfigure existing drives. He has the budget to add a disk storage system that can contain up to 10 HDDs. a. Which Windows feature can accommodate these needs, and how does it work?
Answer:
Storage Spaces
Explanation:
The feature that would best accommodate his needs would be the Storage Spaces feature that has been implemented in the Windows and Windows Server systems. This feature basically takes various hard drives and combines them together, this ultimately acts as copies of each other which protect the data of each one in the unfortunate case that one of the drives tends to fail. This feature also allows you to add more drives to the existing ones with very minimal effort without restricting configuration. Which would solve the needs that are needed in this scenario.
What is the purpose of technology?
Answer: In general, when technology attempts to solve problems of matter, energy, space, or time, it is successful.
Explanation: When it attempts to solve human problems of the mind, communication, ability, etc.
describe the application of computer system in our daily life
Answer:
Computer is an electronic device which makes our work easier , fast , and comfortable. It is used in various sectors. It is used in our daily life , For students , It is used for solve mathematical problems and for make power point presentation.In house , it is used for online shopping , watch movies , to make recipe of different food items etc can be done using computer.Thank you ☺️☺️
In which of the following scenarios can a trademark be applied
The term trademark can be applied if Alanna draws a shape to use as a background image on a company's website.
What is trademark?A trademark is known to be a term that connote the sign that has the ability of setting goods or services of one enterprise apart from those of other enterprises.
Note that Trademarks are said to be protected by intellectual property rights and as such when one encroach on it, it can lead to legal actions against the person.
Learn more about trademark from
https://brainly.com/question/11957410
Assuming that the actual process ids of the parent and child process are 2600 and 2650 respectively, what will be printed out at lines A, B, C, D, E, and F? Be sure to explain your answers. int main() { pid_t x, y; int value = 90; value += 30; /* fork a child process */ x = fork(); if (x < 0) { /* error occurred */ fprintf(stderr,"Fork failed"); return(1); } else if (x == 0) { /* child process */ y = getpid(); printf("child: x = %d",x); /* A */ printf("child: y = %d",y); /* B */ value += 20; printf("child: value = %d\n", value); /* C */ exit(0); } else { /* parent process */ y= getpid(); printf("parent: x = %d",x); /* D */ printf("parent: y = %d",y); /* E */ wait(NULL); printf("parent: value = %d\n", value); /* F */ } }
Answer:
Output explanation to the given code can be defined as follows:
Explanation:
In A the output is 0 , It will return fork value of the child process that is 0. so, 0 is printed during child process.
In B the output is 2650 , in which the getpid() method returns the child process id value that is 2650.
In C the output is 140, As it is declared in key, all process have their own "value" copies. 20 are inserted during childhood, so 140 are written.
In D the output is 2650, its fork() method returns the child ID to the parent process. so the value 2650 is printed.
In E the output is 2600, Its getpid() method will returns parent process id that is equal to 2600.
In F the output is 120 Since the value is declared in primary, all process so their own "value" copies. 120 will be printed during process.
True or false
Do output devices allow the user to enter information into the system or control its operation?
Answer:
False
Explanation:
Use the drop-down menus to complete the statements about using section breaks in a document.
The four section break options can be found in the Breaks menu under the tab.
To insert a section break and start the new section on a new page, you would choose
To insert a section break and start the new section on the same page, you could choose
Answer:
1. Layout
2. Next Page
3. Continuous
Explanation:
Edge 2020
Answer:
Layout
Next Page
Continuous
Explanation:
((Excel)) please help, 100 points, and brain crown thingy, not only that, i will make several of these so you can get several hundred points just for one question if you find them all, that being said... please help me...
just please..
Answer:
First you read the question and numbers, then you use the numbers in the correct way and you try reallllyyy hard, you will find your answer! Hope this helps! :D
dose anybody know how to look up questions by how many points they give you and if you cant do that we need to be able to do that lol.
Answer:
Uhh... I don't think we can do that lol.
Why are passive readers most likely to have difficulty focusing on a text?
They use too many strategies.
They do too many things at once.
They prefer re-reading for meaning.
They lack interest in comprehension.
Answer:
Its b on edgynuity
Explanation:
trust me
Answer:he is right it’s B
Explanation:
When should you try to photograph reflections on bodies of water?
A) A rainy day
B) A windy day
C) A calm day
D) A cold day
Its calm day- gradpoint
Answer:
A calm day
Explanation:
you can't see temperature in a photo the water is not calm on a windy day and won't really reflect. And I really don't think some one would bring out expensive equipment in the rain to take a photo so C makes sense.
Answer:
all of them or good days it's just what you feel like on the day
Explanation:
What is a computer?
please solve with explaining
Answer:
computer is a device for storing and processing data and also to communicate with people
Write an application that allows the user to input monthly rainfall amounts for one year storing the values in an array. Create a second array that holds the names of the month. Produce a report showing the month name along with the rainfall amount and its variance from the mean. Calculate and display the average rainfall for the year.
Answer:
In which programming language? Lol.
The USGS and National Weather Service have many sensors collecting data about natural events.
That data can be used to create a weather map. Identify the parts of the Input-Process-Output model for each step.
_______ weather map displayed on a web page
_______ determination of color to be used on the map
_______ sensors collect temperature and precipitation data
Options: Output, input, process.
Answer:
1. Output
2. Process
3. Input
Explanation:
Answer: Output, Process, Input
Explanation: got it right on edgen
the measurement is taken around the biggest part of the arm where the sleeve ends
A. Arm circumference
B. Sleeve length
C. Armhole
D. Bust
Answer:
A. Arm circumference
Explanation:
The arm circumference is the measurement that goes around your arm at the biggest part of it which would be where the biceps forms, that is where normally our short sleeve clothing ends and that is a measure to be able to fit clothes properly.
It is a measure often in the midpoint between the elbow and the shoulder and it is often used to see the nutritional status of a person.
why do we buy new asset
Your question is too vauge, what do you mean exactly in what terms because you aimed this to to computer and technology, In business terms asset is something that brings in money or brings a positive impact. A form of asset can be stocks, crypto, NFTs, real estate... If you own one of these you own an asset, its as simple as that.
Networks can be classified by geographical scope as PANs, , and WANs. The cables and signals used to transport data from one network device to another are a communication . Wired channels include twisted pair wires, cables used for cable television, and -optic cables used for high-capacity trunk lines. Wireless channels use signals and microwaves. Government agencies regulate some wireless . The transmission capacity of a channel is referred to as . Channels that are capable of moving at least 25 Mbps are classified as . Networks can be configured in various , such as star, mesh, point-to-point, or bus. Any device in a network is referred to as a(n) . Data equipment includes computers. Data equipment includes modems and routers. Additional DCEs include hubs, switches, bridges, repeaters, and access points. Networks use physical, transport, and arrival communication to set the rules for efficiently transmitting data and handling errors.
Answer:
1. LANs.
2. Channel.
3. Coaxial; fiber
4. RF; Channels.
5. Bandwidth.
6. Broadband.
7. Topologies.
8. Node.
9. Terminal.
10. Communication.
11. WAP.
12. Protocols.
Explanation:
1. Networks can be classified by geographical scope as PANs, LANs, and WANs.
2. The cables and signals used to transport data from one network device to another are a communication channel.
3. Wired channels include twisted pair wires, coaxial cables used for cable television, and fiber-optic cables used for high-capacity trunk lines.
4. Wireless channels use RF signals and microwaves. Government agencies regulate some wireless channels.
5. The transmission capacity of a channel is referred to as bandwidth.
6. Channels that are capable of moving at least 25 Mbps are classified as broadband.
7. Networks can be configured in various topologies, such as star, mesh, point-to-point, or bus.
8. Any device in a network is referred to as a node.
9. Data terminal equipment includes computers.
10. Data communication equipment includes modems and routers.
11. Additional DCEs include hubs, switches, bridges, repeaters, and WAP access points.
12. Networks use physical, transport, and arrival communication protocols to set the rules for efficiently transmitting data and handling errors.
Lucas is taking an algebra class with many detailed steps. Which note-taking method would be best for this class?
charting
outlining
mapping
multiplying
Answer:
outlining
I really do hope this works !
Answer:
Hello!
The answer to your question is B. Outlining
Hope this helps!
What is an Internet Service Provider? Describe at least two types of ISP. (I NEED THIS ASAP LIKE NOW)
Answer:
A company that provides service to its subscribers to the internet | WiFi, cellular data
Explanation:
WiFi provides service to its subscribers to the internet; the same applies to cellular data.
/*
(Count positive and negative numbers and compute the average of numbers) Write
a program that reads an unspecified number of integers, determines how many
positive and negative values have been read, and computes the total and average of
the input values (not counting zeros). Your program ends with the input 0. Display
the average as a floating-point number.
*/
import java.util.Scanner;
public class Exercise_05_01 {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
int positives = 0; // Count the number of positive numbers
int negatives = 0; // Count the number of negative numbers
int count = 0; // Count all numbers
double total = 0; // Accumulate a totol
// Promopt the user to enter an integer or 0 to exit
System.out.print("Enter an integer, the input ends if it is 0: ");
int number = input.nextInt();
if (number == 0) { // Test for sentinel value
System.out.println("No numbers are entered except 0");
System.exit(1);
}
while (number != 0) {// Test for sentinel value
if (number > 0)
positives++; // Increase positives
else
negatives++; // Increase negatives
total += number; // Accumulate total
count++; // Increase the count
number = input.nextInt();
}
// Calculate the average
double average = total / count;
// Display results
System.out.println(
"The number of positive is " + positives +
"\nThe number of negatives is " + negatives +
"\nThe total is total " + total +
"\nThe average is " + average);
}
}
Answer:
Having tested your source code, I realize that there is nothing to be added or removed from the source code you uploaded as your program works perfectly.
However, I've rearranged properly the lines of the program you uploaded.
See attachment
Explanation:
See Explanation
Here is the first paragraph. It has two sentences.
This is the second paragraph. It also has two sentences.
This is the third paragraph, consisting of a single sentence.
The missing element is... Which one
Answer:
I don't quite understand, you need to give us the full options with the question a bit more clearer
Answer: it is <p></p>
Explanation: guessing didn't pay off : (
A student should be most cautious using a web address ending in
Answer:
It is .com because all the others are school-safe. And .com is snatch-able.
Explanation:
Answer:
.com
Explanation:
Why might you want to save a spreadsheet as a PDF file?
Answer:
so that the required content wont be edited