Answer: The task is deleted from the user's Inbox and a decline message is sent to the person who assigned the task.
Explanation:
When a task is declined by a user, the task is deleted from the user's Inbox and a decline message is sent to the person who assigned the task.
On the other hand, if a user accepts an assigned task, then the task will be moved to the user's task list.
Therefore, the correct option is B.
6. (01.02 LC)
The programming language C: uses a series of 1s and Os to communicate with the computer. (5 points)
O True
False
Answer:
False
Explanation:
and assuming main memory is initially unloaded, show the page faulting behavior using the following page replacement policies. how many page faults are generated by each page replacement algorithm?
FIFO
// C++ implementation of FIFO page replacement
// in Operating Systems.
#include<bits/stdc++.h>
using namespace std;
// Function to find page faults using FIFO
int pageFaults(int pages[], int n, int capacity)
{
// To represent set of current pages. We use
// an unordered_set so that we quickly check
// if a page is present in set or not
unordered_set<int> s;
// To store the pages in FIFO manner
queue<int> indexes;
// Start from initial page
int page_faults = 0;
for (int i=0; i<n; i++)
{
// Check if the set can hold more pages
if (s.size() < capacity)
{
// Insert it into set if not present
// already which represents page fault
if (s.find(pages[i])==s.end())
{
// Insert the current page into the set
s.insert(pages[i]);
// increment page fault
page_faults++;
// Push the current page into the queue
indexes.push(pages[i]);
}
}
// If the set is full then need to perform FIFO
// i.e. remove the first page of the queue from
// set and queue both and insert the current page
else
{
// Check if current page is not already
// present in the set
if (s.find(pages[i]) == s.end())
{
// Store the first page in the
// queue to be used to find and
// erase the page from the set
int val = indexes.front();
// Pop the first page from the queue
indexes.pop();
// Remove the indexes page from the set
s.erase(val);
// insert the current page in the set
s.insert(pages[i]);
// push the current page into
// the queue
indexes.push(pages[i]);
// Increment page faults
page_faults++;
}
}
}
return page_faults;
}
// Driver code
int main()
{
int pages[] = {7, 0, 1, 2, 0, 3, 0, 4,
2, 3, 0, 3, 2};
int n = sizeof(pages)/sizeof(pages[0]);
int capacity = 4;
cout << pageFaults(pages, n, capacity);
return 0;
}
LRU
//C++ implementation of above algorithm
#include<bits/stdc++.h>
using namespace std;
// Function to find page faults using indexes
int pageFaults(int pages[], int n, int capacity)
{
// To represent set of current pages. We use
// an unordered_set so that we quickly check
// if a page is present in set or not
unordered_set<int> s;
// To store least recently used indexes
// of pages.
unordered_map<int, int> indexes;
// Start from initial page
int page_faults = 0;
for (int i=0; i<n; i++)
{
// Check if the set can hold more pages
if (s.size() < capacity)
{
// Insert it into set if not present
// already which represents page fault
if (s.find(pages[i])==s.end())
{
s.insert(pages[i]);
// increment page fault
page_faults++;
}
// Store the recently used index of
// each page
indexes[pages[i]] = i;
}
// If the set is full then need to perform lru
// i.e. remove the least recently used page
// and insert the current page
else
{
// Check if current page is not already
// present in the set
if (s.find(pages[i]) == s.end())
{
// Find the least recently used pages
// that is present in the set
int lru = INT_MAX, val;
for (auto it=s.begin(); it!=s.end(); it++)
{
if (indexes[*it] < lru)
{
lru = indexes[*it];
val = *it;
}
}
// Remove the indexes page
s.erase(val);
// insert the current page
s.insert(pages[i]);
// Increment page faults
page_faults++;
}
// Update the current page index
indexes[pages[i]] = i;
}
}
return page_faults;
}
// Driver code
int main()
{
int pages[] = {7, 0, 1, 2, 0, 3, 0, 4, 2, 3, 0, 3, 2};
int n = sizeof(pages)/sizeof(pages[0]);
int capacity = 4;
cout << pageFaults(pages, n, capacity);
return 0;
}
You can learn more about this at:
https://brainly.com/question/13013958#SPJ4
object-oriented modeling is based on the concepts of: group of answer choices objects and relationships. class and inheritance. objects and inheritance. tables and relationships. classes and objects.
Object-oriented modeling is a popular approach used in software development that revolves around the idea of modeling the real-world entities in the form of objects.
The foundation of object-oriented modeling is built upon two important concepts, which are objects and relationships. Objects are the fundamental building blocks of an object-oriented model that represent real-world entities and encapsulate their attributes and behaviors. Relationships, on the other hand, define how objects interact with each other and can be of different types such as composition, aggregation, and inheritance. In summary, object-oriented modeling is primarily based on the concepts of objects and relationships. It provides a powerful way to model complex systems and is widely used in software development. Additionally, class and inheritance are also important concepts in object-oriented modeling, which further enhance the flexibility and reusability of the code.
To learn more about Object-oriented modeling, visit:
https://brainly.com/question/32082458
#SPJ11
Whats wrong with this code? in terms of indentation. 
#Travies Robinson
#11/23/2020
#Coding Fundamentals : Coding Logic : 03.05 Python Project favorite video game response
def main():
 answer = input("Would you like to take a one question survey? (yes or no)")
 if(answer == "yes"):
 favGame = input("What is your favorite video game?")
 print("Your favorite video game is the " + favGame + " amazing i've never played that
before.")
 answer = input("What your favorite part of " + favGame + "?")
 print("Interesting mabye i should try " + favGame + "."")
 Country = input("What country are you living in right now?")
 print("You are currently living in " + Country + ".")
 Age = input("How old are you?")
 print("Your age is " + Age + ".")
 print("Thank you for answering the survey and have a great day!")
 else:
 print("Good-bye")
main()
Answer:
(yes or no)") I do not really think this would work but I really didn't deal with this when i hack. That would need to be seperate from the question. Like for example Question = input("your question")
if Question == ("yes")
print ("well done")
elif Question == ("no")
print ("try again")
When it comes to credit scores, why is having a
thin file NOT good?
What reasons might an 18-year-old have for
his/her thin file?
Answer:
credit karma
Explanation:
karma is -69
JAVA
Write a program that requests the user input a word, then prints every other letter of the word starting with the first letter.
Hint - you will need to use the substring method inside a loop to get at every other character in the String. You can use the length method on the String
to work out when this loop should end.
Sample run:
Input a word:
domain
dmi 
import java.util.Scanner;
public class JavaApplication42 {
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
System.out.println("Input a word:");
String word = scan.nextLine();
for (int i = 0; i < word.length(); i+=2){
System.out.print(word.substring(i,i+1));
}
}
}
I hope this helps!
The program is an illustration of loops.
Loops are used to carry out repetition operations; examples are the for-loop and the while-loop.
The program in Java, where comments are used to explain each line is as follows:
import java.util.*;
public class Main {
public static void main(String args[]) {
//This creates a Scanner object
Scanner input = new Scanner(System.in);
//This prompts user for input
System.out.print("Input a word: ");
//This gets input from the user
String userinput = input.nextLine();
//The following iterates through every other character of userinput
for(int i =0;i<userinput.length();i+=2) {
//This prints every other characters
System.out.print(userinput.charAt(i));
}
}
}
The above program is implemented using a for loop
Read more about similar programs at:
https://brainly.com/question/19104397
Match the following ____________________ is a situation where someone examines all the network traffic that passes their NIC, whether addressed for them or not. Answer 1 Choose... A(n) ____________________ is a 32-bit number established by the host that is incremented for each packet sent. Answer 2 Choose... ____________________ is the use of fraudulent e-mails or instant messages that appear to be genuine but are designed to trick users Answer 3 Choose... A(n) ____________________ is a connection to a Windows interprocess communications share (IPC$).
Answer:
1. Sniffing.
2. Sequence number.
3. Phishing.
4. Null session.
Explanation:
1. Sniffing is a situation where someone examines all the network traffic that passes their NIC, whether addressed for them or not.
2. A sequence number is a 32-bit number established by the host that is incremented for each packet sent. It can be used by a computer administrator or network engineer to reorder packets.
3. Phishing is the use of fraudulent e-mails or instant messages that appear to be genuine but are designed to trick users. Informations such as password, credit card details and other personal information can be gotten by an attacker through this process.
4. A null session is a connection to a Windows interprocess communications share (IPC$). A hacker can use a null session to gain unauthorized access to informations such as security settings, registry settings, username (User ID) about an end user.
Which system procedure is normally done with both hand valves opened on a gauge manifold connected to a refrigeration system?
Answer:
The answer is "Evacuation".
Explanation:
The evacuation in coolants was its removal from the coolant of heat, air, and non-condensable toxic gases. Its seal HVAC system is drawn to a vacuum and use a pressure washer throughout this process.
It loses the air and water vapor throughout the coolant point is called it. The two primary goals are accomplished by evacuating, that are eliminates content and hydrates.Answer:
the answer is c i belive
Explanation:
i belive this is the answer good luck :>
Explain any TWO (2) data information that shall be covered under "Safety Data Sheet" and elaborate why do you think the information is needed
Safety data sheets include details about chemical items that assist users in evaluating the risks. They outline the risks the chemical poses and include details on handling, storage, and emergency procedures in the event of an accident.
The properties of each chemical, its physical, health and environmental properties, protective measures, and precautions for handling, storage and transportation of the chemical are contained in a safety data sheet (formerly called safety data sheet).
Provides recommendations for each individual chemical on topics such as:
PPE, or personal protective equipmentfirst aid techniquescleanup procedures for spillsTo learn more on Safety Data Sheets, here:
https://brainly.com/question/28244620
#SPJ4
which statement about emotions is true? answer unselected emotions cause irrational behavior and negatively impact performance. unselected facial expressions make it easy to interpret emotions accurately. unselected people from different cultures value emotions in similar ways. unselected moral emotions and judgments are
The statement about emotions that is true is "facial expressions make it easy to interpret emotions accurately."
Emotions are complex and can be expressed in a variety of ways, including through facial expressions. While it is not always easy to accurately interpret emotions, facial expressions can provide valuable clues about a person's emotional state. For example, a smile typically indicates happiness or pleasure, while a frown often signals sadness or displeasure. It is important to remember, however, that facial expressions are not the only way that emotions are expressed, and that people from different cultures may value and express emotions in different ways.
Learn more about emotions:https://brainly.com/question/4692301
#SPJ11
Which of the following is NOT what Web Developers do? 
A)Test applications for a website 
B)Integrate graphics, audio, and video into the website
C)Work with other designers to pick color combinations 
D)Determine the website's layout 
E)Write code for the website
Answer:C Work with other designers to pick color combinations
Explanation:Got it right on 2.02 web design quiz
Web developers assists with the building, managing and maintainance of websites. Therefore, the options which doesn't mark the function of web developers is Work with other designers to pick color combinations.
Web developers are employed to peruse the effectiveness of website applications, website design, layout, arrangement, organization and development.
However, it is not the function of website developers to choose color combinations while working with other designers.
Learn more : https://brainly.com/question/15439630
Deleting messages keeps them in the mailbox and on the server. How can they be removed from the server to reduce the quota?
Answer:
Left-click each message, and move it to the Trash folder.
Right-click the Deleted Items folder, and click Empty Folder.
Click the Folder tab, and click the Empty Folder in Clean Up group.
Right-click the Deleted Items folder, and click Mark All as Read.
The _____ contains lists of commands used to create presentations.
Outline view
Menu bar
Slide pane
Title bar
Answer:
The menu bar is correct
Explanation:
EDG2021
Which of these is NOT a safety procedure for lockout/tagout?
A) Inspecting locks and tags for defects
B) Turning off the equipment at the control panel 
C) Leaving the equipment on 
D) Attaching a safety lock or tag on the energy-isolating device
Answer:
I would assume c
Explanation:
it just seems like it would not be a safety procedure
Lockout/Tagout would be the idea of properly shutting down a source of energy, draining any surplus energy, and applying mechanisms to that energy source that prevent it from being reactivated, and the further explanation can be defined as follows:
It also called lock & tag is a security method in use in industry and research to guarantee that critical machinery was correctly shut down. It can be restarted until the completion of conservation or recovery operations.Therefore the final answer is "Option C".
Learn more:
brainly.com/question/10183789
 
                                                            Recommend a minimum of 3 relevant tips for people using computers at home, work or school or on their SmartPhone. (or manufacturing related tools)
The three relevant tips for individuals using computers at home, work, school, or on their smartphones are ensure regular data backup, practice strong cybersecurity habits, and maintain good ergonomics.
1)Ensure Regular Data Backup: It is crucial to regularly back up important data to prevent loss in case of hardware failure, accidental deletion, or malware attacks.
Utilize external hard drives, cloud storage solutions, or backup software to create redundant copies of essential files.
Automated backup systems can simplify this process and provide peace of mind.
2)Practice Strong Cybersecurity Habits: Protecting personal information and devices from cyber threats is essential.
Use strong, unique passwords for each online account, enable two-factor authentication when available, and regularly update software and operating systems to patch security vulnerabilities.
Be cautious while clicking on email attachments, downloading files, or visiting suspicious websites.
Utilize reputable antivirus and anti-malware software to protect against potential threats.
3)Maintain Good Ergonomics: Spending extended periods in front of a computer or smartphone can strain the body.
Practice good ergonomics by ensuring proper posture, positioning the monitor at eye level, using an ergonomic keyboard and mouse, and taking regular breaks to stretch and rest your eyes.
Adjust chair height, desk setup, and screen brightness to reduce the risk of musculoskeletal problems and eye strain.
For more questions on computers
https://brainly.com/question/24540334
#SPJ8
BJP4 Self-Check 7.21: swapPairs
Write a method named swapPairs that accepts an array of strings as a parameter and switches the order of values in a pairwise fashion. Your method should switch the order of the first two values, then switch the order of the next two, switch the order of the next two, and so on.
PLEASE HELP DUE AT 11:59
Answer:
public static void swapPairs(ArrayList strList)
{
for(int i = 0; i < strList.size() - 1; i += 2)
{
String temp1 = strList.get(i);
String temp2 = strList.get(i + 1);
strList.set(i, temp2);
strList.set(i + 1, temp1);
}
}
Explanation:
which statement best describes a social impact of computing on the world?
Answer: Smartphones have changed the way people communicate through text messages and emojis.
Explanation:
it would only make sense that this is the correct answer because globally smartphones are used for communication, considering the fact that we dont tend to write letters to people across the country as our main source of communication, or in a different continent all together. The steady growth of technology has clearly made getting in touch with people of all nations much easier.
what is the mest gun in pixel gun 3d imma give you brainliest
Answer:
The Mest Gun or the gun on your avatar
Explanation:
Because typo!!
1. What was the duration of time for each of your runs for the 2 examples?
2. Which code was faster (while loop or for loop)? How could you tell? OR
If your results were inconclusive (meaning your couldn't really see any
difference), why do you believe this was so?
3. What would account for the variability of the duration?
Using the knowledge in computational language in C++ it is possible to write a code that code was faster while loop or for loop.
Writting the code:#include <ctime>
int main()
{
const int N=100;
while(clock()<N)
{
}
return 0;
}
main:
sub rsp, 8
.L2:
call clock <<------
cmp rax, 99 <<------
jle .L2 <<------
xor eax, eax
add rsp, 8
ret
#include <ctime>
int main()
{
const int N=100;
for(;clock()<N;)
{
}
return 0;
}
What are C++ exceptions?An exception is a problem that arises during the execution of a program. A C++ exception is a response to an exceptional circumstance that arises while a program is running, such as an attempt to divide by zero. Exceptions provide a way to transfer control from one part of a program to another.
See more about C++ at brainly.com/question/18502436
#SPJ1
 
                                                            There are dash types of symbols
Answer:
logo , pictogram, ideogram, icon, rebus, phonogram and typogram
Explanation:
they are forty symbols
Which of the following statements best describes the
location of the Options bar?
Select one:
At the top of the workspace window, home for
essential commands, adjustments and actions
Directly beneath the Menu bar, it displays available
options for the tool selected in the Tools Panel
At the left of the workspace window, it is a column
of icons for creating and editing
At the right of the workspace, the contains the
groups of controls for working with images
The statements that best describes the location of the Options bar is
Directly beneath the Menu bar, it displays available options for the tool selected in the Tools Panel.
What is option bar?Option bar serves as a tool bar, where some functional tools can be gotten when running a program.
Therefore, option bar is located Directly beneath the Menu bar, it displays available options for the tool selected in the Tools Panel
Learn more about options bar at;
https://brainly.com/question/1360051
why do most operating systems let users make changes
By these changes you most likely are thinking of the term 'Over Clocking'
Over Clocking is used on most Operating Systems to bring the item your over clocking to the max.
Over Clocking; is mostly used for Crypto mining and gaming.
Mr. Washington is digitizing old family photos. A 4"x6" photo is digitized using 10,000 pixels. An 11"x7" photo is digitized using 30,000 pixels. Which image will have the better resolution?
Mr. Washington is digitizing old family photos. A 4"x6" photo is digitized using 10,000 pixels. An 11"x7" photo is digitized using 30,000 pixels. Which image will have the better resolution?
the 11"x7" photo
the 4"x"6 photo
the photos will have the same resolution
The image that will have the better resolution is a digital image that is known to be about the 11"x7" photo.
What is digital image?The term digital image is known to be one that pertains to graphics computing.
This is said to be an image that can be saved in binary form and shared into a matrix of pixels. And it is said that all of the pixel is made up of a digital value of one or a lot of bits.
Therefore, The image that will have the better resolution is a digital image that is known to be about the 11"x7" photo.
Learn more about digital image from
https://brainly.com/question/26307469
#SPJ1
CP RAIL -
Major routes (write both origin and destination for each route) and list freight rates for 2 major routes
Important web links related to its Canadian and North American operations
CP Rail Major Routes: Vancouver, BC to Toronto, ON; Montreal, QC to Calgary, AB. Freight rates and important web links can be found on CP Rail's official website.
CP Rail - Major Routes and Freight Rates:
1. Route: Vancouver, BC to Toronto, ON
Origin: Vancouver, British Columbia
Destination: Toronto, Ontario
Freight Rates: Please refer to CP Rail's official website or contact their customer service for current freight rates on this route.
2. Route: Montreal, QC to Calgary, AB
Origin: Montreal, Quebec
Destination: Calgary, Alberta
Freight Rates: Please refer to CP Rail's official website or contact their customer service for current freight rates on this route.
Important Web Links:
1. CP Rail Official Website: https://www.cpr.ca/
This is the official website of CP Rail where you can find comprehensive information about their services, operations, customer support, and more.
2. CP Rail Canadian Operations: https://www.cpr.ca/en/about-cp/our-company/canadian-operations
This webpage provides specific details about CP Rail's operations in Canada, including information about their network, services, and infrastructure.
3. CP Rail North American Operations: https://www.cpr.ca/en/about-cp/our-company/north-american-operations
This webpage gives an overview of CP Rail's operations across North America, highlighting their cross-border services, intermodal capabilities, and partnerships. The freight rates mentioned above are subject to change and it is advisable to check CP Rail's official website or contact their customer service for the most up-to-date information.
Learn more about freight rates here:
https://brainly.com/question/33340086
#SPJ11
Python and using function
Takes two integer parameters. Returns the integer that is closest to 10
Answer:
def closest_to_10(num1, num2):
if num1-10 < num2-10:
return num2
else:
return num1
Explanation:
Help please this is my last assignment of the year
 
                                                Answer:
the answer is in the website that are there
Which of the following steps must be performed first to round the decimal 0.135 to the hundredths place?
First, keep in mind that 0.135 is divided into two pieces. The fractional component to the right of the decimal point and the integer part to the left of the decimal point:
Part of an integer: 0
135th fractional part
To round 0.135 to the closest hundredth is to round the numbers such that the fractional element has just two digits. Recall that you can only round a number if it is up to 5. Hence, the hundredth place of the above decimal will be 1.4.
What is a decimal?The decimal numeral system is the most widely used system for representing both integer and non-integer values. It is the Hindu-Arabic numeral system's expansion to non-integer numbers. Decimal notation is the method of representing numbers in the decimal system.
To convert a number from integer to percent, multiply it by 100 and then add a percent sign%. To convert a decimal to a percentage, multiply the decimal number by 100 and add %. To convert from decimal to percent, shift the decimal point two positions to the right and then add a percent sign.
Learn more about decimals:
https://brainly.com/question/1827193
#SPJ1
Activity Universal Usability Visit each of the following web pages and evaluate their usability. Describe components that show adaptability for different users and provide suggestions, if any, to improve the usability of the website. Part A
Users may easily locate and navigate through various sections of the website because to its simple and well-organized style.
What are the usability's five elements?Usability can be divided into five different aspects because it is not a single, one-dimensional characteristic of a user interface. These qualities are learnability, effectiveness, memorability, mistakes, and contentment.
What are the 4 usability levels?Any product, system, or website can generally be tested for usability using one of four different ways. Model/metrics based, inquiry, inspection, and testing methods are some categories for usability testing techniques.
To know more about website visit:-
https://brainly.com/question/19459381
#SPJ1
Question:-
Activity: Universal Usability
Visit each of the following web pages and evaluate their usability. Describe components that show adaptability for different users and provide suggestions, if any, to improve the usability of the website.
Part A:
Website: https://www.nytimes.com/
Website: https://www.bbc.com/
Part B:
Website: https://www.target.com/
Website: https://www.walmart.com/
How did tribes profit most from cattle drives that passed through their land?
A.
by successfully collecting taxes from every drover who used their lands
B.
by buying cattle from ranchers to keep for themselves
C.
by selling cattle that would be taken to Texas ranches
D.
by leasing grazing land to ranchers and drovers from Texas
The way that the tribes profit most from cattle drives that passed through their land is option D. By leasing grazing land to ranchers and drovers from Texas.
How did Native Americans gain from the long cattle drives?When Oklahoma became a state in 1907, the reservation system there was essentially abolished. In Indian Territory, cattle were and are the dominant economic driver.
Tolls on moving livestock, exporting their own animals, and leasing their territory for grazing were all sources of income for the tribes.
There were several cattle drives between 1867 and 1893. Cattle drives were conducted to supply the demand for beef in the east and to provide the cattlemen with a means of livelihood after the Civil War when the great cities in the northeast lacked livestock.
Lastly, Abolishing Cattle Drives: Soon after the Civil War, it began, and after the railroads reached Texas, it came to an end.
Learn more about cattle drives from
https://brainly.com/question/16118067
#SPJ1 
During this era page numbers were developed as information was growing and written communication needed more effective systems for blank
Answer:
Sorting and organizing
Explanation:
 
                                                            During the sorting and organizing era, page numbers were developed as information was growing.
What is sorting and organizing?The verb sorting is known to be a term that connote the act of separating out things or items based on some criteria.
The term organize is known to be a term that connote the act of putting or working order. Here people organize things in order for them to be able to remember or for ease of work. In the sorting and organizing time, page numbers was created as information was increasing.
Learn more about sorting from
https://brainly.com/question/2345433