Answer: ?
Explanation:
Create pseudocode that could be used as a blueprint for a program that would do the following: An employer wants you to create a program that will allow her to enter each employee’s name, hourly rate of pay, number of hours worked in one week, overtime pay rate, payroll deductions (such as medical insurance, savings, etc.), and tax rate. The program should output the employee’s gross pay (before taxes and deductions) and net pay (after taxes and deductions) for each employee for one week.
Answer:
START LOOP FOR EACH EMPLOYEE:
INPUT employee’s name, hourly rate of pay, number of hours worked, overtime pay rate, payroll deductions, tax rate
SET gross pay = (hourly rate of pay x *weekly hours) + (overtime pay rate x (number of hours worked - *weekly hours))
PRINT gross pay
SET net pay = gross pay - (payroll deductions + (gross pay * tax rate/100 ))
PRINT net pay
END LOOP
* weekly hours (how many hours an employee needs to work to earn overtime pay rate) is not given in the question
Explanation:
Create a loop that iterates for each employee
Inside the loop, ask for name, hourly rate, number of hours worked, overtime pay rate, payroll deductions, tax rate. Calculate the gross pay and print it. Calculate the net pay and print it
Using the in databases at the , perform the queries show belowFor each querytype the answer on the first line and the command used on the second line. Use the items ordered database on the siteYou will type your SQL command in the box at the bottom of the SQLCourse2 page you have completed your query correctly, you will receive the answer your query is incorrect , you will get an error message or only see a dot ) the page. One point will be given for answer and one point for correct query command
Using the knowledge in computational language in SQL it is possible to write a code that using the in databases at the , perform the queries show belowFor each querytype.
Writting the code:Database: employee
Owner: SYSDBA
PAGE_SIZE 4096
Number of DB pages allocated = 270
Sweep interval = 20000
Forced Writes are ON
Transaction - oldest = 190
Transaction - oldest active = 191
Transaction - oldest snapshot = 191
Transaction - Next = 211
ODS = 11.2
Default Character set: NONE
Database: employee
Owner: SYSDBA
PAGE_SIZE 4096
...
Default Character set: NONE
See more about SQL at brainly.com/question/19705654
#SPJ1
Can you provide an example of how computer programming is applied in real-
world situations?
An example of how computer programming is applied in real world situations is the use of traffic lights.
How is this so?
The traffic flow data is processed by the computer to establish the right sequence for the lights at junctions or ramps. The sequencing information is sent from the computer to the signals via communications equipment.
INRIX Signal Analytics is the first cloud-based solution that harnesses big data from linked automobiles to assist traffic experts in identifying and understanding excessive delays at signalized junctions throughout the country — with no hardware or fieldwork required.
Learn more about computer programming:
https://brainly.com/question/14618533
#SPJ1
Ways information technology does not make us productive
Answer:
Although technology is moving the limits, its power is not always helpful.
Explanation:
Technology can make us very non-productive, as it takes time away from our most productive hours when we use our productive time to scroll social media.
Notifications can interrupt the concentration. It makes us lazy in the morning, when, instead of being productive, we are reading anything online.
It can impact our sleep, anxiety, and it may force us to spend time creating a false image of ourselves.
HELP PLEASE ASAP! I don't know what is wrong with my code, it's supposed to output the same given output. C++ program. Please modify my code. Thanks in advance
#include //Input/Output Library
#include //Srand
#include //Time to set random number seed
#include //Math Library
#include //Format Library
using namespace std;
//User Libraries
//Global Constants, no Global Variables are allowed
//Math/Physics/Conversions/Higher Dimensions - i.e. PI, e, etc...
const float MAXRAND=pow(2,31)-1;
//Function Prototypes
void init(float [],int n);//Initialize the array
void print(float [],int,int);//Print the array
float avgX(float [],int);//Calculate the Average
float stdX(float [],int);//Calculate the standard deviation
//Execution Begins Here!
int main(int argc, char** argv) {
//Set the random number seed
srand(static_cast (time(0)));
//Declare Variables
const int SIZE=20;
float test[SIZE];
//Initialize or input i.e. set variable values
init(test,SIZE);
//Display the outputs
print(test,SIZE,5);
cout<<"The average = "<
cout<<"The standard deviation = "<
//Exit stage right or left!
return 0;
}
void init(float a[],int n){
int i;
for(i=0;i
scanf("%f",&a[i]);
}
}
void print(float arr[],int n,int b){
int i;
for(i=0;i
}
}
float avgX(float arr[],int n){
float sum=0.0;
int i=0;
for(i=0;i
sum=sum+arr[i];
}
return ((float)sum/n);
}
float stdX(float arr[],int n){
float mean=avgX(arr,n);
float sum=0.0;
int i;
for(i=0;i
sum=sum+pow((arr[i]-mean),2);
}
sum=sum/n-1;
return sqrt(sum);
}
Answer:
#include <iostream> // Input/Output Library
#include <cstdlib> // Srand
#include <ctime> // Time to set random number seed
#include <cmath> // Math Library
#include <iomanip> // Format Library
using namespace std;
// Function Prototypes
void init(float[], int); // Initialize the array
void print(float[], int, int); // Print the array
float avgX(float[], int); // Calculate the average
float stdX(float[], int); // Calculate the standard deviation
// Global Constants, no Global Variables are allowed
// Math/Physics/Conversions/Higher Dimensions - i.e. PI, e, etc...
const float MAXRAND = pow(2, 31) - 1;
// Execution Begins Here!
int main(int argc, char** argv) {
// Set the random number seed
srand(static_cast<unsigned>(time(0)));
// Declare Variables
const int SIZE = 20;
float test[SIZE];
// Initialize or input i.e. set variable values
init(test, SIZE);
// Display the outputs
print(test, SIZE, 5);
cout << "The average = " << avgX(test, SIZE) << endl;
cout << "The standard deviation = " << stdX(test, SIZE) << endl;
// Exit stage right or left!
return 0;
}
void init(float a[], int n) {
int i;
for (i = 0; i < n; i++) {
a[i] = static_cast<float>(rand()) / (MAXRAND);
}
}
void print(float arr[], int n, int b) {
int i;
for (i = 0; i < n; i++) {
cout << fixed << setprecision(b) << arr[i] << " ";
if ((i + 1) % 10 == 0) {
cout << endl;
}
}
cout << endl;
}
float avgX(float arr[], int n) {
float sum = 0.0;
int i;
for (i = 0; i < n; i++) {
sum = sum + arr[i];
}
return sum / n;
}
float stdX(float arr[], int n) {
float mean = avgX(arr, n);
float sum = 0.0;
int i;
for (i = 0; i < n; i++) {
sum = sum + pow((arr[i] - mean), 2);
}
sum = sum / (n - 1);
return sqrt(sum);
}
Explanation:
There were 8 key changes made:
Added the missing include statements: <iostream> for input/output, <cstdlib> for srand, <ctime> for time, <cmath> for math functions, and <iomanip> for formattingAdded missing semicolons at the end of the cout statementsFixed the function prototypes and definitions to match their declarationsAdded missing closing angle brackets in srand(static_cast<unsigned>(time(0)));Changed the input prompt in the init function to use cin instead of scanfFixed the print function to display the values in a formatted manner and added line breaks every 10 elementsFixed the division in the stdX function to use (n - 1) instead of n - 1 to calculate the sample varianceAdded missing #include <iomanip> for the setprecision function used in printExplain the three major Subassembly
of a computer Keyboard
The three major Subassembly of a computer Keyboard are as follows; alphabetical keys, function keys, and the numeric keypad.
What are the three major Subassembly of a computer Keyboard?The keyboard is divided into four components as; alphabetical keys, function keys, cursor keys, and the numeric keypad.
An Keyboard is an input Device used to enter characters and functions into the computer system by pressing buttons.
An Keyboard is a panel of keys that operate a computer or typewriter.
Additional special-purpose keys perform specialized functions.
The mouse is a pointing device used to input data.
The Input devices enable to input data and commands into the computer.
The three major Subassembly of a computer Keyboard are as follows; alphabetical keys, function keys, and the numeric keypad.
Learn more about the keybord here;
https://brainly.com/question/24921064
#SPJ2
Which is a graphical tool used to represent task duration but not sequence?
A. CPM
B. Network Diagram
C. Pert
D. Gantt
CPM is a graphical tool used to represent task duration but not sequence.
What is the CPM used for?The critical path method (CPM) is known to be a method where a person identify tasks that that are essential for project completion and know its scheduling flexibilities.
Therefore, CPM is a graphical tool used to represent task duration but not sequence.
Learn more about graphical tool from
https://brainly.com/question/12980786
#SPJ1
The ______ pseudo-class configures the styles that will apply for a hyperlink that has not been visited by the user. Question options: :unvisited :link :visited
The active pseudo-class configures the styles that will apply for a hyperlink that has not been visited by the user.
What is active pseudo class?The :active pseudo-class is commonly used on <a> and <button> elements. Other common targets of this pseudo-class include elements that are contained in an activated element, and form elements that are being activated through their associated <label>.
Styles defined by the :active pseudo-class will be overridden by any subsequent link-related pseudo-class (:link, :hover, or :visited) that has at least equal specificity. To style links appropriately, put the :active rule after all other link-related rules, as defined by the LVHA-order: :link — :visited — :hover — :active
A pseudo-class is used to define a special state of an element.
For example, it can be used to:
Style an element when a user mouses over itStyle visited and unvisited links differentlyStyle an element when it gets focusLearn more about active pseudo-class
https://brainly.com/question/29910849
#SPJ4
How do Computer Scientists use Binary Code?
Answer:
The digits 1 and 0 used in binary reflect the on and off states of a transistor. ... Each instruction is translated into machine code - simple binary codes that activate the CPU . Programmers write computer code and this is converted by a translator into binary instructions that the processor can execute .
∉∉∉⊆αβ∞∞the life of me
Answer:
?
Explanation:
what is the symbol for population mean
The symbol for population mean is μ (mu).
The symbol μ (mu) is used to represent the population mean in statistics. The population mean is a measure of central tendency that represents the average value of a variable in the entire population.
It is calculated by summing up all the values in the population and dividing by the total number of observations.
The use of the Greek letter μ as the symbol for population mean is a convention in statistics. It helps to distinguish the population mean from other measures of central tendency, such as the sample mean .
The population mean provides valuable information about the average value of a variable in the entire population, which can be useful for making inferences and drawing conclusions about the population as a whole.
The population mean is a useful statistic because it provides a single value that summarizes the central tendency of the variable in the population. It helps researchers and statisticians understand the typical or average value of the variable and make comparisons or draw inferences about the population as a whole.
It's important to note that the population mean is based on data from the entire population, which is often not feasible or practical to obtain in many cases. In such situations, researchers often rely on samples to estimate the population mean.
For more questions on population
https://brainly.com/question/30396931
#SPJ11
please tell fast plzzzzzz
Answer:
(1001) =9
(45)= 101101
What does influence mean in this passage i-Ready
In the context of i-Ready, "influence" refers to the impact or effect that a particular factor or element has on something else. It suggests that the factor or element has the ability to shape or change the outcome or behavior of a given situation or entity.
In the i-Ready program, the term "influence" could be used to describe how various components or aspects of the program affect students' learning outcomes.
For example, the curriculum, instructional methods, and assessments implemented in i-Ready may have an influence on students' academic performance and growth.
The program's adaptive nature, tailored to individual student needs, may influence their progress by providing appropriate challenges and support.
Furthermore, i-Ready may aim to have an influence on teachers' instructional practices by providing data and insights into students' strengths and areas for improvement.
This can help educators make informed decisions and adjust their teaching strategies to better meet their students' needs.
In summary, in the context of i-Ready, "influence" refers to the effect or impact that different elements of the program have on students' learning outcomes and teachers' instructional practices. It signifies the power of these components to shape and mold the educational experiences and achievements of students.
For more such questions element,Click on
https://brainly.com/question/28565733
#SPJ8
While multiple objects of the same class can exist, in a given program there can be only one version of each class. a) True b) False
Answer:
A) True
Explanation:
listen to exam instructionsyou are troubleshooting a malfunctioning notebook computer system. the user has indicated that the lcd screen suddenly became dark and difficult to read while they were downloading a large file through the wireless network while the system was plugged in at their desk. you have checked the system and determined that the backlight has stopped working.which of the following are the most likely causes? (select two.)
Jobs, schools, shops, and other amenities also vanish as people leave villages.
The government must address the causes and consequences of population loss, such as by limiting the construction of new residences. Where population is declining or where decline is anticipated, the government seeks to keep the area liveable. The major duty for addressing the effects of population decrease and demographic aging rests on the province and municipal authorities. The federal government is in support of their initiatives. However, the problem cannot be solved solely by the authorities. They must collaborate with housing cooperatives, care facilities, community leaders, and enterprises.
Learn more about decrease here-
https://brainly.com/question/14723890
#SPJ4
what is a web client
Answer:
A Web client typically refers to the Web browser in the user's machine or mobile device. It may also refer to extensions and helper applications that enhance the browser to support special services from the site.
hope this helps
have a good day :)
Explanation:
How do I repeat a word in Java for example:
Are you okay?
Yes
Are you really okay?
Yes
Are you really really okay?
Yes
Here I want to repeat the word really in every sentence.
Answer: repeated = new String(new char[n]). replace("\0", s); Where n is the number of times you want to repeat the string and s is the string to repeat.
Explanation:
what is data abstraction and data independence?
Data abstraction and data independence are two key concepts in computer science and database management systems. They are closely related and aim to improve the efficiency, flexibility, and maintainability of data management.
What is data abstraction and data independence?The definitions of these two are:
Data Abstraction:
Data abstraction refers to the process of hiding the implementation details of data and providing a simplified view or interface to interact with it. It allows users to focus on the essential aspects of data without being concerned about the underlying complexities. In programming languages, data abstraction is often achieved through the use of abstract data types (ADTs) or classes.
By abstracting data, programmers can create high-level representations of data entities, defining their properties and operations.
Data Independence:
Data independence refers to the ability to modify the data storage structures and organization without affecting the higher-level applications or programs that use the data. It allows for changes to be made to the database system without requiring corresponding modifications to the applications that rely on that data. Data independence provides flexibility, scalability, and ease of maintenance in database systems.
Learn more about data at:
https://brainly.com/question/179886
#SPJ1
PROJECT: RESEARCHING THE HISTORY OF THE INTERNET
The Internet has had a profound effect on how we conduct business and our personal lives. Understanding a bit about its history is an important step to understanding how it changed the lives of people everywhere.
Using the Internet, books, and interviews with subject matter experts (with permission from your teacher), research one of the technological changes that enabled the Internet to exist as it does today. This may be something like TCP/IP, the World Wide Web, or how e-mail works. Look at what led to the change (research, social or business issues, etc.) and how that technology has advanced since it was invented.
Write a research paper of at least 2, 000 words discussing this technology. Make sure to address the technology’s development, history, and how it impacts the Internet and users today. Write in narrative prose, and include a small number of bullet points if it will help illustrate a concept. It is not necessary to use footnotes or endnotes, but make sure to cite all your sources at the end of the paper. Use at least five different sources.
Submission Requirements
Use standard English and write full phrases or sentences. Do not use texting abbreviations or other shortcuts.
Make any tables, charts, or screen shots neat and well organized.
Make the information easy to understand.
What will be the different if the syringes and tube are filled with air instead of water?Explain your answer
Answer:
If the syringes and tubes are filled with air instead of water, the difference would be mainly due to the difference in the properties of air and water. Air is a compressible gas, while water is an incompressible liquid. This would result in a different behavior of the fluid when being pushed through the system.
When the syringe plunger is pushed to force air through the tube, the air molecules will begin to compress, decreasing the distance between them. This will cause an increase in pressure within the tube that can be measured using the pressure gauge. However, this pressure will not remain constant as the air continues to compress, making the measured pressure unreliable.
On the other hand, when the syringe plunger is pushed to force water through the tube, the water molecules will not compress. Therefore, the increase in pressure within the tube will be directly proportional to the force applied to the syringe plunger, resulting in an accurate measurement of pressure.
In summary, if the syringes and tube are filled with air instead of water, the difference would be that the measured pressure would not be reliable due to the compressibility of air.
2. PJM Bank has a head office based in Bangalore and a large number of branches nationwide. The
headoffice and brances communicate using Internet. Give two features of Internet.
Answer:
Two features of the internet are that internet is a collection of computers which help in the sharing of information.
Most of the home users of internet make use of cable or phone modem, or a DSL connection in order to connect the internet.
Computers that save all of these web pages are referred to as the web servers.
Explanation:
1. most of the home users of internet make use of cable aur phone modern or a DSL connection in order to conduct the internet .
2. computers that save all of these web pages are referred to as the web servers.
(Hope this helps can I pls have brainlist (crown)☺️)
PLS HELP
In terms of data types, which of the following is an integer?
A) t
B) Boolean
C) -8.14567
D) 07/13/2001
sari
Questions
Question 3 of 8
A-Z
» Listen
Companies are chosen for collaboration based on quality, reputation, and
price.
False
True
Answer:
aaaaaaaaaaaaaaaaaaaaaaaaaa
Explanation:
NO LINKS OR SPAMS THEY WILL BE REPORTD
Click here for 50 points
Answer:
thanks for the point and have a great day
Within the manufacturing industry, there are fourteen subindustries. Which of the
following is one of these subindustries?
A) Shipping and warehousing.
B) Petroleum and coal products.
C) Automobile manufacturing.
D) Concrete and steel.
Answer: A or B i done this before but my memorys quite blurry i rekon doing A
Explanation:
Which are characteristics of Outlook 2016 email? Check all that apply.
The Inbox is the first folder you will view by default
While composing an email, it appears in the Sent folder.
Unread messages have a bold blue bar next to them.
Messages will be marked as "read" when you view them in the Reading Pane.
The bold blue bar will disappear when a message has been read.
Answer: The Inbox is the first folder you will view by default.
Unread messages have a bold blue bar next to them.
Messages will be marked as "read" when you view them in the Reading Pane.
The bold blue bar will disappear when a message has been read
Explanation:
The characteristics of the Outlook 2016 email include:
• The Inbox is the first folder you will view by default.
• Unread messages have a bold blue bar next to them.
• Messages will be marked as "read" when you view them in the Reading Pane.
• The bold blue bar will disappear when a message has been read.
It should be noted that while composing an email in Outlook 2016 email, it doesn't appear in the Sent folder, therefore option B is wrong. Other options given are correct.
Answer:
1
3
4
5
Explanation:
just did it on edge
*IN JAVA*
Write a program whose inputs are four integers, and whose outputs are the maximum and the minimum of the four values.
Ex: If the input is:
12 18 4 9
the output is:
Maximum is 18
Minimum is 4
The program must define and call the following two methods. Define a method named maxNumber that takes four integer parameters and returns an integer representing the maximum of the four integers. Define a method named minNumber that takes four integer parameters and returns an integer representing the minimum of the four integers.
public static int maxNumber(int num1, int num2, int num3, int num4)
public static int minNumber(int num1, int num2, int num3, int num4)
import java.util.Scanner;
public class LabProgram {
/* Define your method here */
public static void main(String[] args) {
/* Type your code here. */
}
}
The program whose inputs are four integers is illustrated:
#include <iostream>
using namespace std;
int MaxNumber(int a,int b,int c,int d){
int max=a;
if (b > max) {
max = b;}
if(c>max){
max=c;
}
if(d>max){
max=d;
}
return max;
}
int MinNumber(int a,int b,int c,int d){
int min=a;
if(b<min){
min=b;
}
if(c<min){
min=c;
}
if(d<min){
min=d;
}
return min;
}
int main(void){
int a,b,c,d;
cin>>a>>b>>c>>d;
cout<<"Maximum is "<<MaxNumber(a,b,c,d)<<endl;
cout<<"Minimum is "<<MinNumber(a,b,c,d)<<endl;
}
What is Java?Java is a general-purpose, category, object-oriented programming language with low implementation dependencies.
Java is a popular object-oriented programming language and software platform that powers billions of devices such as notebook computers, mobile devices, gaming consoles, medical devices, and many more. Java's rules and syntax are based on the C and C++ programming languages.
Learn more about program on:
https://brainly.com/question/26642771
#SPJ1
give one major environmental and
one energy problem kenya faces as far as computer installations are concerned?
One considerable predicament that Kenya encounters pertaining to the utilization of computers is managing electronic waste (e-waste).
Why is this a problem?The mounting number of electronic devices and machines emphasizes upon responsibly discarding outdated or defective hardware in order to avoid environmental degradation.
E-waste harbors hazardous materials such as lead, mercury, and cadmium which can pollute soil and water resources, thereby risking human health and ecosystem sustainability.
Consequently, a significant energy drawback with computer use within Kenya pertains to the insufficiency or instability of electrical power supply.
Read more about computer installations here:
https://brainly.com/question/11430725
#SPJ1
What is the function for displaying differences between two or more scenarios side by side?
Macros
Merge
Scenario Manager
Scenario Summary
Answer:
its d
Explanation:
Answer:
scenario summary
Explanation:
Create a python program that asks the user to input the subject and mark a student received in 5 subjects. Output the word “Fail” or “Pass” if the mark entered is below the pass mark. The program should also print out how much more is required for the student to have reached the pass mark.
Pass mark = 70%
The output should look like:
Chemistry: 80 : Pass: 0% more required to pass
English: 65 : Fail: 5% more required to pass
Biology: 90 : Pass: 0% more required to pass
Math: 70 : Pass: 0% more required to pass
IT: 60 : Fail: 10% more required to pass
The program asks the user to enter their scores for each subject, determines if they passed or failed, and calculates how much more they need to score in order to pass. The percentage needed to pass is never negative thanks to the use of the max() method. The desired format for the results is printed using the f-string format.