I wrote my code in python 3.8:
def print_total_inches(num_feet, num_inches):
return ((num_feet)*12) + num_inches
print("There are a total of {} inches".format(print_total_inches(5,8)))
I hope this helps!
Create a class RightTriangle which implements the API exactly as described in the following JavadocLinks to an external site..
Don't forget - you will need to use the Pythagorean theorem (Links to an external site.) to find the hypotenuse (and therefore the perimeter) of a right triangle. You can find the area of a right triangle by multiplying the base and height together, then dividing this product by 2.
Use the runner_RightTriangle file to test the methods in your class; do not add a main method to your RightTriangle class.
Hint 1 - Javadoc only shows public methods, variables and constructors. You will need to add some private member variables to your RightTriangle class to store the necessary information. Think carefully about what information actually needs to be stored and how this will need to be updated when methods change the state of a RightTriangle object.
Hint 2 - As in the previous lesson's exercise it's helpful to add your method/constructor headers and any dummy returns needed before implementing each one properly. This will allow you to test your code using the runner class as you go along.
This is the runner code:
import java.util.Scanner;
public class runner_RightTriangle{
public static void main(String[] args){
Scanner scan = new Scanner(System.in);
RightTriangle t = new RightTriangle();
String instruction = "";
while(!instruction.equals("q")){
System.out.println("Type the name of the method to test. Type c to construct a new triangle, q to quit.");
instruction = scan.nextLine();
if(instruction.equals("getArea")){
System.out.println(t.getArea());
}
else if(instruction.equals("getBase")){
System.out.println(t.getBase());
}
else if(instruction.equals("getHeight")){
System.out.println(t.getHeight());
}
else if(instruction.equals("getHypotenuse")){
System.out.println(t.getHypotenuse());
}
else if(instruction.equals("getPerimeter")){
System.out.println(t.getPerimeter());
}
else if(instruction.equals("toString")){
System.out.println(t);
}
else if(instruction.equals("setBase")){
System.out.println("Enter parameter value:");
double arg = scan.nextDouble();
t.setBase(arg);
scan.nextLine();
}
else if(instruction.equals("setHeight")){
System.out.println("Enter parameter value:");
double arg = scan.nextDouble();
t.setHeight(arg);
scan.nextLine();
}
else if(instruction.equals("equals")){
System.out.println("Enter base and height:");
double bs = scan.nextDouble();
double ht = scan.nextDouble();
RightTriangle tOther = new RightTriangle(bs, ht);
System.out.println(t.equals(tOther));
scan.nextLine();
}
else if(instruction.equals("c")){
System.out.println("Enter base and height:");
double bs = scan.nextDouble();
double ht = scan.nextDouble();
t = new RightTriangle(bs, ht);
scan.nextLine();
}
else if(!instruction.equals("q")){
System.out.println("Not recognized.");
}
}
}
}
My code so far:
class RightTriangle{
private double base;
private double height;
public RightTriangle(){
base = 1.0;
height = 1.0;
}
public RightTriangle(double ds, double ht){
base=ds;
height=ht;
}
public boolean equals(RightTriangle other){
if(base==other.base && height==other.height ){
return true;
}
else
{
return false;
}
}
public double getArea()
{
return (base*height)/2;
}
public double getBase(){
return base;
}
public double getHeight()
{
return height;
}
public double getHypotenuse()
{
return Math.sqrt((base*base)+(height*height));
}
public double getPerimeter()
{
return base+height+Math.sqrt((base*base)+(height*height));
}
void setBase (double bs)
{
if(bs==0){
System.exit(0);
}
else{
base=bs;
}
}
public void setHeight(double ht){
if(ht==0){
System.exit(0);
}
height=ht;
}
public java.lang.String toString()
{
return "base: "+base+" hegiht: "+height+" hypothesis: "+ Math.sqrt((base*base)+(height*height));
}
}
MY CODE SAYS THAT THE setHeight and setBase and toString METHODS ARE INCORRECT.
Answer:
I don't see anything. Its blank
Explanation:
How would you access the Format Trendline task pane?
A. clicking the Insert tab and Trendline group
B. double-clicking on the trendline after it’s added
C. adding the Chart Element called Trendline
D. clicking the Format contextual tab and Format Selection
Answer:
B. double-clicking on the trendline after it's added
Explanation:
I did the assignment on edge 2020
A format trendline task pane is a task pane that is used to format or change the settings of a trendline in a chart. The correct option is B.
What is the format trendline task pane?A format trendline task pane is a task pane that is used to format or change the settings of a trendline in a chart.
The easiest way to access the format trendline task pane for an inserted trend line is to double-click on the trendline after it is added. A preview of the Format trendline task pane is attached below. Therefore, the correct option is B.
Learn more about Task Pane:
https://brainly.com/question/20360581
#SPJ2
how do i write a python program for traffic signal with 6sec for each led (red,yellow,green) and a 7 segment display that displays 5,4,3,2,1,0 with the lights in Raspberry GPIO pin format?
do have i to write separate scripts? or can it be done in one itself ?
Sure, you can create a Python programme that activates each LED for six seconds and controls traffic signal while showing the countdown on seven section display. With RPi, it may be completed in a single script.
What shade should a traffic sign be?Red, Yellow, and Green are the three colours used in traffic signals. You must stop when the signal is red, slow down and wait when it is yellow, and go when it is green.
import RPi. GPIO as GPIO
import time
# Define GPIO pins for each LED
red_pin = 17
yellow_pin = 27
green_pin = 22
# Define GPIO pins for 7 segment display
seg_pins = [18, 23, 24, 25, 12, 16, 20]
# Define segment display patterns for each digit
patterns = {
0: [1, 1, 1, 1, 1, 1, 0],
1: [0, 1, 1, 0,
To know more about Python visit:-
https://brainly.com/question/30427047
#SPJ1
Design a pseudo code that determines if a given number is even or odd number
The pseudocode determines if a given number is even or odd by checking if it's divisible by 2 and then prints the respective result.
Here's a simple pseudocode to determine if a given number is even or odd:
Input: number
Output: "Even" if the number is even, "Odd" if the number is odd
if number is divisible by 2 with no remainder then
Print "Even"
else
Print "Odd"
end if
This pseudocode checks whether the given number is divisible by 2. If it is, it prints "Even" since even numbers are divisible by 2. Otherwise, it prints "Odd" since odd numbers are not divisible by 2.
Learn more about pseudocode here:
https://brainly.com/question/17102236
#SPJ7
What Are AWS Consulting Services?
Answer:
The AWS Professional Services organization is a global team of experts that can help you realize your desired business outcomes when using the AWS Cloud.
Explanation:
We work together with your team and your chosen member of the AWS Partner Network (APN) to execute your enterprise cloud computing initiatives.
Answer:
The AWS Professional Services organization is a global team of experts that can help you realize your desired business outcomes when using the AWS Cloud.
Explanation:
We work together with your team and your chosen member of the AWS Partner Network (APN) to execute your enterprise cloud computing initiatives.
Which is equal?
1 KB = 2,000 Bytes
1 MB » 1,000 KB
3 GB = 5,000,000 KB
O 8 TB = 7,000 MB
4 PB - 2,500,000 GB
PLEASE HELP 10points
Answer:
1 mb = 1000 kb
all others are wrong although it's 1024 KB that's makes 1 mb but the value can be approximated
Question 1 of 10 Which two scenarios are most likely to be the result of algorithmic bias? A. A person is rejected for a loan because they don't have enough money in their bank accounts. B. Algorithms that screen patients for heart problems automatically adjust points for risk based on race. C. The résumé of a female candidate who is qualified for a job is scored lower than the résumés of her male counterparts. D. A student fails a class because they didn't turn in their assignments on time and scored low on tests.
Machine learning bias, also known as algorithm bias or artificial intelligence bias, is a phenomenon that happens when an algorithm generates results that are systematically biased as a result of false assumptions made during the machine learning process.
What is machine learning bias (AI bias)?Artificial intelligence (AI) has several subfields, including machine learning. Machine learning relies on the caliber, objectivity, and quantity of training data. The adage "garbage in, garbage out" is often used in computer science to convey the idea that the quality of the input determines the quality of the output. Faulty, poor, or incomplete data will lead to inaccurate predictions.Most often, issues brought on by those who create and/or train machine learning systems are the source of bias in this field. These people may develop algorithms that reflect unintentional cognitive biases or actual prejudices. Alternately, the people could introduce biases by training and/or validating the machine learning systems using incomplete, inaccurate, or biased data sets.Stereotyping, bandwagon effect, priming, selective perception, and confirmation bias are examples of cognitive biases that can unintentionally affect algorithms.To Learn more about Machine learning bias refer to:
https://brainly.com/question/27166721
#SPJ9
What is a spreadsheet application?
A.Any system that helps the user organize and analyze data.
B.Software within a database management system that allows the user to interact with the
database.
C. A system that allows a writer to produce documents for publication.
D. A program that allows the user to organize and analyze data using a grid of cells.
E.A program that allows the user to explore the World Wide Web.
Answer:
D. A program that allows the user to organize and analyze data using a grid of cells.
A program that allows the user to organize and analyze data using a grid of cells.
What is Spreadsheet?
A spreadsheet is a computer program for calculating, organizing, analyzing, and storing data in tabular form. Spreadsheets were created as digital counterparts to paper accounting spreadsheets.
The software runs on the information entered into a table's cells. Each cell may include text, numeric, or formula results that automatically calculate and display a value based on the contents of neighboring cells. A spreadsheet is a type of electronic document.
Users of spreadsheets can change any recorded value and watch how it affects calculated numbers. Since various scenarios may be quickly studied without human recalculation, this makes the spreadsheet handy for "what-if" analysis.
Therefore, A program that allows the user to organize and analyze data using a grid of cells.
To learn more about Spreadsheet, refer to the link:
https://brainly.com/question/8284022
#SPJ3
what is data analysing data and give three examples ?
Answer:
Data Analysis is the process of systematically applying statistical and/or logical techniques to describe and illustrate, condense and recap, and evaluate data. ... An essential component of ensuring data integrity is the accurate and appropriate analysis of research findings.
Inferential Analysis. Diagnostic Analysis. Predictive Analysis. Prescriptive Analysis are examples.
Who are the member banks?
In the United States, the primary path to privacy is via __________, whereas in Europe and other countries, it is via __________.
A. opt-in; opt-in
B. opt-in; opt-out
C. opt-out; opt-out
D. opt-out; opt-in
In the United States, the primary path to privacy is via opt-out, whereas in Europe and other countries, it is via opt-in.
What are opt out opt in paths of privacy?The majority of significant privacy laws around the world, including the CCPA (California's Consumer Privacy Act) and the GDPR (General Data Protection Regulation) in Europe, now require that businesses give data privacy top priority when undertaking particular data collection and processing activities.
This necessitates the creation of simple, efficient procedures on websites that allow users to grant consent (also known as "opting in") or deny consent (commonly known as "opting out") for the purpose of revoking consent at any time.
Users must essentially provide their consent and take positive action in order to opt-in. Opt-in is used to consent to or accept something, to put it simply. Opt-out refers, as the name suggests, to the primary action consumers take to withdraw their consent. Opting out, to put it simply, is the action of users declining or withdrawing their consent in response to a certain event or process.
To know more about opt out opt in refer:
https://brainly.com/question/8444030
#SPJ4
Given a partial main.py and PlaneQueue class in PlaneQueue.py, write the push() and pop() instance methods for PlaneQueue. Then complete main.py to read in whether flights are arriving or have landed at an airport.
An "arriving" flight is pushed onto the queue.
A "landed" flight is popped from the front of the queue.
Output the queue after each plane is pushed or popped. Entering -1 exits the program.
Click the orange triangle next to "Current file:" at the top of the editing window to view or edit the other files.
Note: Do not edit any existing code in the files. Type your code in the TODO sections of the files only. Modifying any existing code may result in failing the auto-graded tests.
Important Coding Guidelines:
Use comments, and whitespaces around operators and assignments.
Use line breaks and indent your code.
Use naming conventions for variables, functions, methods, and more. This makes it easier to understand the code.
Write simple code and do not over complicate the logic. Code exhibits simplicity when it’s well organized, logically minimal, and easily readable.
Ex: If the input is:
arriving AA213
arriving DAL23
arriving UA628
landed
-1
the output is:
Air-traffic control queue
Next to land: AA213
Air-traffic control queue
Next to land: AA213
Arriving flights:
DAL23
Air-traffic control queue
Next to land: AA213
Arriving flights:
DAL23
UA628
AA213 has landed.
Air-traffic control queue
Next to land: DAL23
Arriving flights:
UA628
code:
from PlaneQueue import PlaneQueue
from PlaneNode import PlaneNode
if __name__ == "__main__":
plane_queue = PlaneQueue()
# TODO: Read in arriving flight codes and whether a flight has landed.
# Print the queue after every push() or pop() operation. If the user
# entered "landed", print which flight has landed. Continue until -1
# is read.
The Python code is created to imitate a simple ground monitors of aircraft system. It imports two classes from two various Python files: PlaneQueue from PlaneQueue.py and PlaneNode from PlaneNode.py. The code is given in the image attached.
What is the code about?The PlaneQueue class is used to constitute a queue dossier structure to hold succeeding flights, while the PlaneNode class is used to conceive instances of individual planes.
The main.py file contains the main program that establishes an instance of the PlaneQueue class and reads in flight codes and either a departure has landed.
Learn more about code from
https://brainly.com/question/26134656
#SPJ1
Which one of the following is NOT advisable when viewing online information?
• Check the credibility and qualifications of the author/publisher
• Evaluate the credibility of the website as a whole
• Accept information that has not been updated for several years
• Check all references to ensure the sources used are valid
Answer:
Accept information that has not been updated for several years
This is because if the info is from several years, the same may lack info on the article or exempt.
Explanation:
• Check the credibility and qualifications of the author/publisher
• Evaluate the credibility of the website as a whole
•Accept information that has not been updated for several years
• Check all references to ensure the sources used are valid
3. Comparing the Utopian and dystopian views of Technology according to Street (1992) which one in your view is more applicable to your society? Give at least three reasons for your answer.[15marks]
Answer:
Following are the explanation to the given question:
Explanation:
The impact of a social delay in the debate around this one is serious, real perceptions of technology. It higher employment brings a political use of new information technology to further fragmentation and anomaly amongst their representatives with the ability for the same technology. They explain this dichotomy in utopian or dystopian positions inside the following portion.
Perhaps the most important aspect of the utopia was its implicit idea that solutions to social problems are available technically. The technological effects on the community or populist forms of democratic engagement were defined often that is solutions.
Its claim from the group indicates that perhaps the Internet can promote political participation by enabling citizens to communicate easily across geographic and social frontiers. The claim suggests that this exchange would in turn promote the creation of new consultative spaces or new modes of collective activity. By comparison, the authoritarian model emphasizes the role of technology in transforming citizens' and policy interactions. Ward (1997) states which online referenda and proposals are typically described as mechanisms of change.
Nothing less prevalent today are futuristic internet interpretations. Privacy as well as material on the Internet was a topic of genuine responsibility and formed two of the biggest discussions on the possible negative effects of this technology. Cyber-tumblers' tales and facts about oneself are prevalent across the web. Online entertainment questions confront Web users from all segments of society. Online entertainment questions
I assume that technology's Dystopian perspectives are relevant to society.
Even though people from every side of the issue claim that this technology would have a utopian or dystopian effect on business or community, society will be adapted to cultural underperformers and much more rational interpretations become. The demands for the impact on society were less severe when society had used technology capabilities, such as phones, television, and even phone line.If they regard the web and all its technological trappings as just a panacea for democracy problems or not, that truth about the capabilities of the internet lies between these utopian or dystopian definitions, like most of the truth.To grasp this technology which is practically transforming society, we have to consider its extreme impact as goods that are culturally incomplete between social diffusion of the Web and digital adoption of technology.FILL IN THE BLANK ________ allows collaborators to access an online virtual meeting room where they can present PowerPoint slides, share files, demonstrate products, and interact with participants in real time.
"Web conferencing" allows participants to connect to a virtual conference space where they can share files, show off products, present PowerPoint slides, and communicate with one other in real time.
Define the term Web conferencing and its features?Any online gathering with at least two people who are in separate locations is considered a web conference.
Anywhere on the world could be one of these participants. They can see, hear, and speak to each other in real-time with conferencing software and a dependable internet connection. Although web conferencing may appear self-explanatory, it differs from standard conference calls. The primary distinction is that web conferencing tools, often known as web conferencing platforms as well as online meeting software, enable face-to-face remote conferences or video conversations over the Internet.With the free web conferencing package from Dialpad Meetings, you get:
endless video conferences10 people maximum per conference callfictitious backgroundsUnlimited recordings of audioNo downloads required for immediate participation through desktop or smartphone browserTo know more about the Web conferencing, here
https://brainly.com/question/3879633
#SPJ4
What should a valid website have?
Select one:
a. Cited sources, copyright, and a clear purpose
b. Cited sources, copyright, and a poor design
c. Cited sources, copyright, and colorful images
d. Cited sources, no copyright, and a broad purpose
Answer:
A. cites sources,copyright,and a clear purpose
Which of the following if statements uses a Boolean condition to test: "If you are 18 or older, you can vote"? (3 points)
if(age <= 18):
if(age >= 18):
if(age == 18):
if(age != 18):
The correct if statement that uses a Boolean condition to test the statement "If you are 18 or older, you can vote" is: if(age >= 18):
In the given statement, the condition is that a person should be 18 years or older in order to vote.
The comparison operator used here is the greater than or equal to (>=) operator, which checks if the value of the variable "age" is greater than or equal to 18.
This condition will evaluate to true if the person's age is 18 or any value greater than 18, indicating that they are eligible to vote.
Let's analyze the other if statements:
1)if(age <= 18):This statement checks if the value of the variable "age" is less than or equal to 18.
However, this condition would evaluate to true for ages less than or equal to 18, which implies that a person who is 18 years old or younger would be allowed to vote, which is not in line with the given statement.
2)if(age == 18):This statement checks if the value of the variable "age" is equal to 18. However, the given statement allows individuals who are older than 18 to vote.
Therefore, this condition would evaluate to false for ages greater than 18, which is not correct.
3)if(age != 18):This statement checks if the value of the variable "age" is not equal to 18.
While this condition would evaluate to true for ages other than 18, it does not specifically cater to the requirement of being 18 or older to vote.
For more questions on Boolean condition
https://brainly.com/question/26041371
#SPJ8
What do we call a statement that displays the result of computations on the screen?
O A. result statement
OB.
O C.
O D.
OE.
screen statement
output statement
answer statement
input statement
Result statement call a statement that displays the result of computations on the screen.
Thus, Results statements a statement listing the syllabuses taken and the grades given for each candidate. Results statements are printed on stationary with a watermark in full color.
The qualifications and syllabi grades displayed in each statement are explained in the explanatory notes. Results broken down by choice, component, and curriculum for teaching staff.
A summary of all the results for your applicants is provided in the results broadsheet for teaching staff. A summary of the moderation adjustments for each internally assessed component is included in the moderation adjustment summary reports for teaching staff.
Report on the moderation for each internally assessed component for instructional personnel, where appropriate.
Thus, Result statement call a statement that displays the result of computations on the screen.
Learn more about Result statement, refer to the link:
https://brainly.com/question/26141085
#SPJ1
Anyone know why my desktop won’t turn on, I upgraded my ram and my monitor won’t turn on
Answer:
RAM Slots
Explanation:
RAM is most probably in the wrong slots.
Check BIOS
Check with Motherboard User Manual.
Assume you have the all_info list that is given in the Do It Now problem 1. This list includes the grades of 4 courses for 4 students. Write a code that asks a name from the user. Then it will search for that name in the list all info. Of the name exists in the list, the program will display the programming grade of that student. For example, if the user enters 'Sarah ' the program will display 90. If the user enters a name that is not in the list, such as 'Jack', the program will display an error message such as 'Sorry, but this student is not in the list'.
Answer:
titles =['name', 'physics', 'chemistry', 'math', 'programming']
student_1 =['Kathy', 90, 80, 75, 100]
student_2 =['John', 65, 84, 79, 90]
student_3 =['Joe', 45, 89, 100, 10]
student_4 =['Sarah', 68, 89, 93, 90]
all_info =[titles, student_1, student_2, student_3, student_4]
student = input("Enter student's name: ")
student_list = [name[0] for name in all_info]
if student in student_list:
print(all_info[student_list.index(student)][4])
if student not in student_list:
print("Student name does not exist.")
Explanation:
The python program prompts for user input "student" and the input is used to search and return the result of the student in the programming exam. If the name is not in the student_list, the program print an error message.
Given three subroutines of 550, 290, and 600 words each, if segmentation is used then the total memory needed is the sum of the three sizes (if all three routines are loaded). However, if paging is used, then some storage space is lost because subroutines rarely fill the last page completely, and that results in internal fragmentation. Determine the total amount of wasted memory due to internal fragmentation when the three subroutines are loaded into memory using each of the following page sizes:
a. 100 words
b. 600 words
c. 700 words
d. 900 words
Typically, external fragmentation wastes one-third of memory. Internal fragmentation occurs when space inside a designated region is wasted. Thus, option D is correct.
What wasted memory due to internal fragmentation?The mounted-sized block is allotted to a method whenever a request for memory is made. Internal fragmentation is the term used to describe the situation where the memory allotted to the method is a little bigger than the amount requested.
Normally, memory is allocated in uniformly sized blocks, but sometimes a process doesn't use the entire block, leading to internal fragmentation.
Memory fragmentation occurs when a memory allocation request can be satisfied by the whole amount of accessible space in a memory heap, but no single fragment (or group of contiguous fragments) can.
Therefore, when the three subroutines are loaded into memory using each of the following page sizes 900 words.
Learn more about memory here:
https://brainly.com/question/16953854
#SPJ5
Write a 250-word essay on the benefits and dangers of collecting and storing personal data on online databases. Things to consider:
Does the user know their data is being collected?
Is there encryption built into the system?
Is that encryption sufficient to protect the data involved?
Does collecting the data benefit the end user? Or just the site doing the collecting?
Answer:
The collection and storage of personal data on online databases has both benefits and dangers. On the one hand, collecting and storing data can be incredibly useful for a variety of purposes, such as personalized recommendations, targeted advertising, and improved user experiences. However, it's important to consider the risks and potential consequences of this practice, particularly in regards to privacy and security.
One concern is whether or not users are aware that their data is being collected. In some cases, this information may be clearly disclosed in a site's terms of service or privacy policy, but in other cases it may not be as transparent. It's important for users to be aware of what data is being collected and how it is being used, so that they can make informed decisions about whether or not to share this information.
Another important factor is the level of encryption built into the system. Encryption is a way of encoding data so that it can only be accessed by authorized parties. If a system has strong encryption, it can help to protect the data involved from being accessed by unauthorized users. However, if the encryption is weak or flawed, it may not be sufficient to protect the data. It's important to carefully consider the strength and reliability of any encryption used on a system that stores personal data.
Ultimately, the benefits and dangers of collecting and storing personal data on online databases will depend on the specific context and how the data is being used. It's important to weigh the potential benefits and risks, and to carefully consider whether the collection and storage of this data is truly in the best interests of the end user, or if it is primarily benefiting the site doing the collecting.
Explanation:
Write a statement that assigns cell_count with cell_count multiplied by 10. * performs multiplication. If the input is 10, the output should be:
100
You
Write a statement that assigns cell_count with cell_count multiplied by 10. * performs multiplication. If the input is 10, the output should be:
100
1 cell_count = int(input)
2
3 " Your solution goes here"
4
5 print(cell_count) Run
Answer:
The complete program is:
cell_count = int(input())
cell_count = cell_count * 10
print(cell_count)
Explanation:
This line gets input for cell_count
cell_count = int(input())
This line multiplies cell_count by 10
cell_count = cell_count * 10
This prints the updated value of cell_count
print(cell_count)
Write the pseudocode for a program that will process attendance records of CA students. The students attend college five days a week. Input values are the student’s name, number, and the time in and time out for each day of the week (i.e. five different times in and times out must be input). If a student attends college more than 36 hours in a week, a congratulatory message is printed. If a student attends college less than 30 hours in a week, a warning message is printed. The output for each student is the name, hours, and the appropriate attendance message. Processing continues until a student number of zero is input. Assume that students always check in and out on the hour. Therefore, timeIn and timeOut will be integer variables (i.e. they represent whole hours, and minutes are ignored).
Using the knowledge of pseudocodes it will be possible to write a code that calculates the amount of hours worked and giving warnings about it.
Writing a pseudocode we have that:while
if number == 0
break
hours =0
for i =1 to 5
hours = hours + time_out[ i ] - time_in[ i ]
If hours >36 :
print ( "Name is " ,name)
print( "No of hours are ",hours)
print("Congratulaion! Your working hours are more than 36")
If hours <30 : #
print ( "Name is " ,name)
print( "No of hours are ",hours)
print("Warning !!!")
End loop
See more about pseudocode at brainly.com/question/13208346
#SPJ1
What are variables? Write the name of any two types of variables.
Answer:
A variable is an identifier which changes the values given to it when the program is being executed.
e.g. - var count : integer
var avg : real
Explanation:
Why do people make Among Us games on Ro-blox, and thousands of people play them, when Among Us is free on all devises?
A) Maybe they think the Ro-blox version is better???
B) They don't know it's on mobile. Nor do they know it's free.
C) I have no idea.
D) I agree with C).
I think its A) Maybe they think the Ro-blox version is better
Plus, Among Us isn't free on all devices. (like PC)
And, to be honest I like the normal Among Us better than the Ro-blox version...
Hope This Helps! Have A GREATTT Day!!Plus, Here's an anime image that might make your day happy:
You want to change your cell phone plan and call the company to discuss options. This is a typical example of CRM that focuses on_______loyalty programs for current customerscustomer service and supportprofitability for the companyacquisition of new customers.
Answer:
customer service and support
Explanation:
-Loyalty programs for current customers refer to incentives companies provide to existing customers to encourage them to keep buying their products or services.
-Customer service and support refers to the assistance companies provide to their existing customers to help them solve issues or provide information about their current products or services and other options.
-Profitability for the company refers to actions that will increase the financial gains of the company.
-Acquisition of new customers refers to actions implemented to attract clients.
According to this, the answer is that this is a typical example of CRM that focuses on customer service and support because you call the company to get assistance with options to change your current products.
The other options are not right because the situation is not about incentives for the customer or actions the company implements to increase its revenue. Also, you are not a new customer.
State two functions of a computer case?
Answer:
Provides a standardized format for the installation of non-vendor-specific hardware.
Protects that hardware and helps to keep it cool.
Explanation:
The computer case serves two primary functions:
Protecting the internal components from damage, dust, and other environmental factors.Providing a framework to hold and organize the internal components and connect them to external devices and power sources.What is a computer case?A computer case, also known as a computer chassis or tower, is a housing that encloses and protects the internal components of a computer, including the motherboard, central processing unit (CPU), power supply, hard drives, and other peripherals.
The case is typically made of metal or plastic and is designed to provide a framework that holds the components securely in place and protects them from physical damage, dust, and other environmental factors.
Computer cases come in a variety of shapes and sizes, including full-tower, mid-tower, and mini-tower designs, and often include features such as cooling fans, front-panel ports, and tool-less installation mechanisms to make it easier to assemble and maintain the components inside.
Learn more about computer here:
brainly.com/question/15707178
#SPJ2
What law protects published work?
Answer:
Copyright
It protect published and not published work from other using their work.
Three friends decide to rent an apartment and split the cost evenly. They each paid $640 towards the total move in cost of first and last month's rent and a security deposit. If rent is $650 per month, how much was the security deposit?
a.
$10
b.
$207
c.
$620
d.
$1,270
Please select the best answer from the choices provided
Answer:
c. $620
Explanation:
To find the cost of the security deposit, we need to subtract the amount paid towards the first and last month's rent from the total move-in cost.
Each friend paid $640 towards the total move-in cost, which includes the first and last month's rent and the security deposit. Since they split the cost evenly, the total move-in cost is 3 times $640, which is $1920.
The monthly rent is $650 per month, so the first and last month's rent combined is 2 times $650, which is $1300.
To find the security deposit, we subtract the first and last month's rent from the total move-in cost:
Security deposit = Total move-in cost - First and last month's rent
Security deposit = $1920 - $1300
Security deposit = $620
Therefore, the security deposit was $620.
Option c. $620 is the correct answer.