When a module is processed:

A. The computer jumps to the module, executes the instructions in the module, and then quits.

B. The computer jumps to the module, executes the instructions in the module, and then returns to the next executable instruction.

C. The computer jumps to the module, executes the instructions in the module, and then jumps to another module according to the structure chart.

D. The computer ignores the module and returns later to execute the instructions.

Answers

Answer 1

Answer:

B. The computer jumps to the module, executes the instructions in the module, and then returns to the next executable instruction.

Explanation:

A software development life cycle (SDLC) can be defined as a strategic process or methodology that defines the key steps or stages for creating and implementing high quality software applications.

A module can be defined as a separate software component or unit of a hardware program that comprises of one or more repeatable functions (tasks). A module is portable and as such can be used in various software applications or systems through a programming interface. Also, they are interoperable because they are generally compatible with various components of a software application or system.

When a module is processed, the computer jumps to the module, executes the instructions in the module, and then returns to the next executable instruction.

This ultimately implies that, the execution of an instruction by a computer is done sequentially and once the task is completed, the computer moves to the next executable instruction or command.


Related Questions

Suppose two coins: A and B have 5 rounds of 10 coin tosses as given below. Assume the probabilities for heads are qA=0.6 & qB=0.5.
i) Estimate No. of Heads and Tails for first toss for A and B.
ii) Compute Maximum Likelihood probabilities of first Round from coin A and B using
Binomial distribution.

Answers

estimate No. of Heads and Tails for the first toss for A and B:

For the first toss of coin A, we expect to see 6 heads and 4 tails (since qA = 0.6, and we are tossing the coin 10 times)For the first toss of coin B, we expect to see 5 heads and 5 tails (since qB = 0.5, and we are tossing the coin 10 times)

What is the probabilities  about?

ii) Compute Maximum Likelihood probabilities of first Round from coin A and B using Binomial distribution:

To compute the maximum likelihood probability of the first round for coin A, we would use the binomial distribution formula:

P(X = k) = (n choose k) * qA^k * (1-qA)^(n-k)

where X is the number of heads, k is the number of heads observed, n is the number of tosses, and qA is the probability of heads for coin A.

To compute the maximum likelihood probability of the first round for coin B, we would use the same formula, but with qB as the probability of heads for coin B.

So we will have two different probabilities for the first round, one for coin A and one for coin B. The probabilities will be based on the observed number of heads and tails and the assumed probability of heads.

It is worth noting that this is a theoretical calculation and in practice, the coin tossing would have to be done to get the actual observations.

Learn more about Binomial distribution from

https://brainly.com/question/29163389

#SPJ1

Write a class called Triangle that can be used to represent a triangle. It should include the following methods that return boolean values indicating if the particular property holds: a. isRight (a right triangle) b. isScalene (no two sides are the same length) c. isIsosceles (exactly two sides are the same length) d. isEquilateral (all three sides are the same length).

Answers

Answer:

Explanation:

import java.io.*;

class Triangle

{

  private double side1, side2, side3; // the length of the sides of

                                       // the triangle.

  //---------------------------------------------------------------

  // constructor

  //

  // input : the length of the three sides of the triangle.

  //---------------------------------------------------------------

  public Triangle(double side1, double side2, double side3)

  {

      this.side1 = side1;

      this.side2 = side2;

      this.side3 = side3;

  }

  //---------------------------------------------------------------

  // isRight

  //

  // returns : true if and only if this triangle is a right triangle.

  //---------------------------------------------------------------

  boolean isRight()

  {

      double square1 = side1*side1;

      double square2 = side2*side2;

      double square3 = side3*side3;

      if ((square1 == square2 + square3) ||

          (square2 == square1 + square3) ||

          (square3 == square1 + square2))

          return true;

      else

          return false;

  }

  // isValid

  // returns : true if and only if this triangle is a valid triangle.

  boolean isValid()

  {

      if ((side1 + side2 < side3) ||

          (side1 + side3 < side2) ||

          (side2 + side3 < side1))

          return false;

      else

          return true;

  }

  // isEquilateral

  //

  // returns : true if and only if all three sides of this triangle

  // are of the same length.

  boolean isEquilateral()

  {

      if (side1 == side2 && side2 == side3)

          return true;

      else

          return false;

  }

  // isIsosceles

  //

  // returns : true if and only if exactly two sides of this triangle

  // has the same length.

  boolean isIsosceles()

  {

      if ((side1 == side2 && side2 != side3) ||

          (side1 == side3 && side2 != side3) ||

          (side2 == side3 && side1 != side3))

          return true;

      else

          return false;

  }

  // isIsosceles

  // returns : true if and only if exactly no two sides of this

  // triangle has the same length.

  boolean isScalene()

  {

      if (side1 == side2 || side2 == side3 || side1 == side3)

          return false;

      else

          return true;

  }

}

//-------------------------------------------------------------------

// class Application

//

// This class is the main class of this application. It prompts

// the user for input to construct a triangle, then prints out

// the special properties of the triangle.

//-------------------------------------------------------------------

public class Application

{

  //---------------------------------------------------------------

  // getInput

  //

  // input : stdin - BufferedReader to read input from

  //         msg - message to prompt the user with

  // returns : a double value input by user, guranteed to be

  //           greater than zero.

  //---------------------------------------------------------------

  private static double getInput(BufferedReader stdin, String msg)

      throws IOException

  {

      System.out.print(msg);

      double input = Double.valueOf(stdin.readLine()).doubleValue();

      while (input <= 0) {

          System.out.println("ERROR : length of the side of triangle must " +

              "be a positive number.");

          System.out.print(msg);

          input = Double.valueOf(stdin.readLine()).doubleValue();

      }

      return input;

  }

  //---------------------------------------------------------------

  // printProperties

  //

  // input : triangle - a Triangle object

  // print out the properties of this triangle.

  //---------------------------------------------------------------

  private static void printProperties(Triangle triangle)

  {

      // We first check if this is a valid triangle. If not

      // we simply returns.

      if (!triangle.isValid()) {

          System.out.println("This is not a valid triangle.");

          return;

      }

      // Check for right/equilateral/isosceles/scalene triangles

      // Note that a triangle can be both right triangle and isosceles

      // or both right triangle and scalene.

     

      if (triangle.isRight())

          System.out.println("This is a right triangle.");

      if (triangle.isEquilateral())

          System.out.println("This is an equilateral triangle.");

      else if (triangle.isIsosceles())

          System.out.println("This is an isosceles triangle.");

      else

          // we do not need to call isScalene here because a triangle

          // is either equilateral/isosceles or scalene.

          System.out.println("This is an scalene triangle.");

  }

  // main

  // Get the length of the sides of a triangle from user, then

  // print out the properties of the triangle.

  public static void main(String args[]) throws IOException

  {

      BufferedReader stdin = new BufferedReader

          (new InputStreamReader(System.in));

      double side1 = getInput(stdin,

          "What is the length of the first side of your triangle? ");

      double side2 = getInput(stdin,

          "What is the length of the second side of your triangle? ");

      double side3 = getInput(stdin,

          "What is the length of the third side of your triangle? ");

      System.out.print("Pondering...\n");

      printProperties(new Triangle(side1, side2, side3));

  }

}

The average American has 10 devices, ask for users average number of devices. Any number between 7 and 12 will print “you have an average number of devices” but if it beyond the range it will print “you’re beyond the average range”

Answers

This is for Python

device_num = int(input('How many devices do you have: '))

if device_num >= 7 and device_num <= 12:

   print('You have an average number of devices')

if device_num > 12:

   print("You're beyond the average range")

Discuss the impact of vision on your actions to keep a clean environment​

Answers

Answer:

For healthy living a clean environment is crucial: The more you care about our environment, the more contaminants and toxins that have a detrimental effect on our health are polluted. Air pollution can lead, among other problems and diseases, to respiratory and cancer problems

Explanation:

Ensuring and improving the climate is an important resource for Irelanders. To safeguard against radiation and contamination damage our kin and the climate.

We have the vision:

A perfect environment to promote practical society and economy, which is sound and very secure.

Very few people are working to keep the environment clean. Although municipal authorities are responsible for making sure the environment is clean, the clean and green environment must also be supported.

Reasons Why We Should Care About the Environment

An essential part of human survival is the environment in which we live. I believe that people who don't care about the environment simply don't know how important it is for us all and how it doesn't directly affect them, which is why I want you to worry about the environment.

Earth Is Warming: We must do more to fight climate change for our children and our future. Yes, no single event trends. Yes, it is true. You can't ignore that now.

Biodiversity is essential: the diversity of plants, animals and the rest of our world is concerned with biodiversity. Habitat loss and degradation due, among other things, to human activity, climate change, and pollution could be negatively affected.

You manage a Windows server that has an attached printer that is used by the Sales department. The sales manager has asked you to restrict access to the printer as follows:Sally needs to connect to a printer, print documents, and pause and resume her own print jobs.Damien needs to pause and resume documents for all users, but does not need to change printer properties.You want to assign the most restrictive permissions that meet the sales manager's requirements. What should you do

Answers

Answer:

Damien would be assign the Manage Documents permission while Sally on the other hand will be assign the permission to print.

Explanation:

Based on the information given in order for me to assign a restrictive permission that will meet the requirements of the sale manager's what I will do is for me to assign the Manage Documents permission to Damien reason been that Damien only needs to stop and resume the documents for all users in which he does not need to change the printer properties and to assign the permission to print to Sally reason been that Sally only needs to connect to a printer and to print documents in which she will then stop and resume her own print jobs.

Q1) What would be the output of the program shown in the figure?

1 ] for number in range (0,3,1)
2] print (number)

OPTIONS:

0,1
0,1,2,3,4
it will return an error
0,1,2

Q2) What would be the output of the program shown in the figure?

1 ] car_speed=81
2 ] if car_speed <81:
3 ] print("Normal speed")
else
4 ] print("overspeed")

OPTIONS:
Normal
Overspeed!
81
it will return an error



Answers

Answer:

23. Write a function named "g_c_d" that takes two positive integer arguments and returns as its value

the greatest common divisor of those two integers. If the function is passed an argument that is not

positive (i.e., greater than zero), then the function should return the value 0 as a sentinel value to

indicate that an error occurred. Thus, for example,

cout << g_c_d(40,50) << endl; // will print 10

cout << g_c_d(256,625) << endl; // will print 1

cout << g_c_d(42,6) << endl; // will print 6

cout << g_c_d(0,32) << endl; // will print 0 (even though 32

is the g.c.d.)

cout << g_c_d(10,-6) << endl; // will print 0 (even though 2 is

the g.c.d.)

24. A positive integer n is said to be prime (or, "a prime") if and only if n is greater than 1 and is

divisible only by 1 and n . For example, the integers 17 and 29 are prime, but 1 and 38 are not

prime. Write a function named "is_prime" that takes a positive integer argument and returns as its

value the integer 1 if the argument is prime and returns the integer 0 otherwise. Thus, for example,

cout << is_prime(19) << endl; // will print 1

cout << is_prime(1) << endl; // will print 0

cout << is_prime(51) << endl; // will print 0

cout << is_prime(-13) << endl; // will print 0

25. Write a function named "digit_name" that takes an integer argument in the range from 1 to 9 ,

inclusive, and prints the English name for that integer on the computer screen. No newline character

should be sent to the screen following the digit name. The function should not return a value. The

cursor should remain on the same line as the name that has been printed. If the argument is not in the

required range, then the function should print "digit error" without the quotation marks but followed by

the newline character. Thus, for example,

the statement digit_name(7); should print seven on the screen;

the statement digit_name(0); should print digit error on the screen and place

the cursor at the beginning of the next line.Explanation:

Given the data model, what would a CROSS JOIN
joining the genre table and the instrument table represent?

genre table:
genre_id
name
genre_instrument table:
genre_instrument_id
genre id
instrument_id
instrument table:
instrument id
name

Answers

Every combination of each genre with each instrument, even those that are not represented in the genre_instrument table

Explanation:

The CROSS JOIN clause creates a combination of every row from two or more different tables. Determining the number of results in a result set for a CROSS JOIN is as simple as the product of the number of records in each table. 

Even those that are not included in the genre instrument table, every conceivable pairing of a given genre and instrument.

What is a CROSS JOIN?

The Cartesian product of the rows from the joined tables is what the CROSS JOIN returns. In other words, rows that combine every row from the first table with every row from the second table will be generated.

Even those that are not included in the genre instrument table, every conceivable pairing of a given genre and instrument

Each row from two or more tables is combined using the CROSS JOIN clause. The product of the number of records in each table can be used to calculate the number of results in a result set for a CROSS JOIN.

Thus, this representation can be done.

For more details regarding cross join, visit:

https://brainly.com/question/28160914

#SPJ2

You are working as a marketing analyst for an ice cream company, and you are presented with data from a survey on people's favorite ice cream flavors. In the survey, people were asked to select their favorite flavor from a list of 25 options, and over 800 people responded. Your manager has asked you to produce a quick chart to illustrate and compare the popularity of all the flavors.

which type of chart would be best suited to the task?
- Scatter plot
- Pie Chart
- Bar Chart
- Line chart

Answers

In this case, a bar chart would be the most suitable type of chart to illustrate and compare the popularity of all the ice cream flavors.

A bar chart is effective in displaying categorical data and comparing the values of different categories. Each flavor can be represented by a separate bar, and the height or length of the bar corresponds to the popularity or frequency of that particular flavor. This allows for easy visual comparison between the flavors and provides a clear indication of which flavors are more popular based on the relative heights of the bars.

Given that there are 25 different ice cream flavors, a bar chart would provide a clear and concise representation of the popularity of each flavor. The horizontal axis can be labeled with the flavor names, while the vertical axis represents the frequency or number of respondents who selected each flavor as their favorite. This visual representation allows for quick insights into the most popular flavors, any potential trends, and a clear understanding of the distribution of preferences among the survey participants.

On the other hand, a scatter plot would not be suitable for this scenario as it is typically used to show the relationship between two continuous variables. Pie charts are more appropriate for illustrating the composition of a whole, such as the distribution of flavors within a single respondent's choices. Line charts are better for displaying trends over time or continuous data.

Therefore, a bar chart would be the most effective and appropriate choice to illustrate and compare the popularity of all the ice cream flavors in the given survey.

for more questions on Bar Chart

https://brainly.com/question/30243333

#SPJ8

import re
def compare_strings (string1, string2):
#Convert both strings to lowercase
#and remove leading and trailing blanks
string1 = string1.lower().strip()
string2 = string2.lower().strip()
#Ignore punctuation
punctuation = r"[.?!,;:-'"
string1 = re.sub (punctuation, r"", string1)
string2 = re.sub(punctuation, r"", string2)
#DEBUG CODE GOES HERE
print(_)
return string1 == string2
print(compare_strings ("Have a Great Day!", "Have a great day?")) # True
print(compare_strings ("It's raining again.", "its raining, again")) # True
Run
print(compare_strings ("Learn to count: 1, 2, 3.", "Learn to count: one, two, three."); # Fa
Reset
print(compare_strings ("They found some body.", "They found somebody.")) # False

can someone please help. don't answer, just help me please, someone tell me where I can start and how without letting me know the answer. I know its probably cheating, but a girl just needs some help. my first computer classes are I've done good so far, but this is just too hard​

Answers

I would recommend using for loops, isalpha() and isspace() to create two strings and compare those strings to each other.

Worksheet 1 Course Title: Introduction to Programming/Fundamentals of Programming For each of the problems write a C++ code to perform the required task. Your program sho uld be based on the flow chart you drawn in the first worksheet.

1) Receive a number and determine whether it is odd or even.

2) Obtain two numbers from the keyboard, and determine and display which (if either) is the larger of the two numbers.

3) Receive 3 numbers and display them in ascending order from smallest to largest

4) Add the numbers from 1 to 100 and display the sum

5) Add the even numbers between 0 and any positive integer number given by the user.

6) Find the average of two numbers given by the user.

7) Find the average, maximum, minimum, and sum of three numbers given by the user.

8) Find the area of a circle where the radius is provided by the user.

9) Swap the contents of two variables using a third variable.

10) Swap the content of two variables without using a third variable.

11) Read an integer value from the keyboard and display a message indicating if this number is odd or even.

12) read 10 integers from the keyboard in the range 0-100, and count how many of th em are larger than 50, and display this result

13) Take an integer from the user and display the factorial of that number​

Answers

Answer:

did you try to use a tutoring?

Which of the following binary (base-2) numbers is LARGEST?

Answers

Answer:

A. 11000000

Explanation:

A. 11000000 is 192

B. 01111111 is 127

C. 00000001 is 1

D. 10111111 is 191

Therefore, making A the largest.

The base 2 value which is largest from the options given is 11000000

Converting the values to base 10 :

1. 11000000

\((1 \times {2}^{7}) + (1 \times {2}^{6}) + (0 \times {2}^{5}) + (0 \times {2}^{4}) + (0 \times {2}^{3}) + (0 \times {2}^{2}) + (0 \times {2}^{1}) + (0 \times {2}^{0} ) = 128 + 64 = 192\)

2. 01111111

\((0 \times {2}^{7}) + (1 \times {2}^{6}) + (1 \times {2}^{5}) + (1 \times {2}^{4}) + (1 \times {2}^{3}) + (1 \times {2}^{2}) + (1 \times {2}^{1}) + (1 \times {2}^{0} ) = 0 + 64 + 32 + 16 + 8 + 4 + 2 + 1 = 127\)

3. 00000001

\((0 \times {2}^{7}) + (0 \times {2}^{6}) + (0 \times {2}^{5}) + (0 \times {2}^{4}) + (0 \times {2}^{3}) + (0 \times {2}^{2}) + (0 \times {2}^{1}) + (1 \times {2}^{0} ) = 0 + 0 + 0 + 0 + 0 + 0 + 0 + 0 + 1 = 1\)

4. 10111111

\((1 \times {2}^{7}) + (0 \times {2}^{6}) + (1 \times {2}^{5}) + (1 \times {2}^{4}) + (1 \times {2}^{3}) + (1 \times {2}^{2}) + (1 \times {2}^{1}) + (1 \times {2}^{0} ) = 128 + 0 + 32 + 16 + 8 + 4 + 2 + 1 = 191\)

The largest base 2 value obtained by comparing the equivalent base 10 values is 11000000

Learn more:https://brainly.com/question/23939074

What defines interactive media?

A.The user must provide feedback after using the media.
B.The user must play a role in writing the content of the media.
C.The user must do something that determines what happens next.
D.The user must help design the overall look and feel of the presentation.

Answers

Answer:

Interactive media is defined by the following statement:

C. The user must do something that determines what happens next. Interactive media allows the user to actively participate in the experience by making choices or taking actions that affect the outcome of the presentation. This creates a more engaging and personalized experience for the user, as opposed to passive forms of media such as traditional TV or movies.

A. Providing feedback after using the media is not a requirement for interactive media, but it may be a feature of some interactive media.

B. The user does not necessarily have to play a role in writing the content of the media, although some interactive media may allow for user-generated content.

D. Helping design the overall look and feel of the presentation is not a requirement for interactive media, but it may be a feature of some interactive media.

two drawbacks for members of the community of replacing the printed copy with and online version

Answers

Answer:

1. Due to the overflow of information on the web, only a few of this news is seen or viewed on the web.

2. Replacing the printed newspaper with online news would lead to huge staff cuts.

Explanation:

The printed newspaper is a physical platform that provides daily news to the public on a printed paper while online news platforms disseminate news on the web (internet).

There are advantages of adopting online news forums but it also has its drawbacks like reduces job opportunities and overflow of information on the web.

Consider the following program written in C syntax:
void swap(int a, int b) {
int temp;
temp = a;
a = b;
b = temp;
}
void main() {
int value = 2, list[5] = {1, 3, 5, 7, 9};
swap(value, list[0]);
swap(list[0], list[1]);
swap(value, list[value]);
}
. Passed by value-result

Answers

Answer:

5=swap 0

Explanation:

becouse it is invalid

How have advancements in technology and social media impacted communication and relationships in our society?

Answers

Answer:The advancement of technology has changed how people communicate, giving us brand-new options such as text messaging, email,  and chat rooms,

Explanation:

Answer: the answer will be they allow faster and more efficient communication and can help build relationships.

Explanation:

I keep getting an index out of range error on this lab

I keep getting an index out of range error on this lab
I keep getting an index out of range error on this lab
I keep getting an index out of range error on this lab

Answers

The Python code for parsing food data is given. This code first reads the name of the text file from the user. Then, it opens the text file and reads each line.

How to depict the code

Python

import io

import sys

def parse_food_data(file_name):

 """Parses food data from a text file.

 Args:

   file_name: The name of the text file containing the food data.

 Returns:

   A list of dictionaries, where each dictionary contains the following information about a food item:

     * name: The name of the food item.

     * category: The category of the food item.

     * description: A description of the food item.

     * availability: Whether the food item is available.

 """

 with io.open(file_name, 'r', encoding='utf-8') as f:

   food_data = []

   for line in f:

     data = line.strip().split('\t')

     food_data.append({

       'name': data[0],

       'category': data[1],

       'description': data[2],

       'availability': data[3] == '1',

     })

   return food_data

if __name__ == '__main__':

 file_name = sys.argv[1]

 food_data = parse_food_data(file_name)

 for food in food_data:

   print('{name} ({category}) -- {description}'.format(**food))

This code first reads the name of the text file from the user. Then, it opens the text file and reads each line. For each line, it splits the line into a list of strings, using the tab character as the delimiter. It then creates a dictionary for each food item, and adds the following information to the dictionary:

Learn more about code on

https://brainly.com/question/26497128

#SPJ1

Why does trust usually break down in a designer-client relationship?


A lack of service

B lack of privacy

C lack of communication

D lack of contract

Answers

Trust is usually broken down in a designer-client relationship due to a lack of service. Thus, the correct option for this question is A.

How do you end a client relationship?

You would end a client relationship by staying calm, rational, and polite. Apart from this, reasons for terminating the relationship, but keep emotion and name-calling out of the conversation.

Follow-up with a phone call. You can start the process with an email, but you should follow up with a phone call in order to talk your client through the process and answer any questions.

But on contrary, one can build trust with clients by giving respect to them, Admit Mistakes and Correct Ethically, listening to them, listening to their words first followed by a systematic response, etc.

Therefore, trust is usually broken down in a designer-client relationship due to a lack of service. Thus, the correct option for this question is A.

To learn more about Client relationships, refer to the link:

https://brainly.com/question/25656282

#SPJ1

what are some good Unblocked games for school

Answers

Answer:

Explanation:

what are some good Unblocked games for school?

   Adam And Eve.

   Agar.io.

   Air Hockey.

   Alchemy.

   Angry Birds.

   Animal Jam.

   Apple Shooter.

   Aquapark.io.

Answer:

Hooda Math is unblocked and it's a place were you can play good games. Have fun playing games

David is taking a test. To answer a question, he first covers up the answer choices. Next, he tries to answer the question. Then, he uncovers the answer choices, reads them, and excludes the answer choices that are clearly wrong. Finally, he selects the best answer. The strategy that David is using is best applied to which type of question? true/false short answer / essay matching multiple choice

Answers

Answer:

Multiple choice

Explanation:

I got 100 on the assignment

Answer:

D

Explanation:

Technician A says tires that are badly worn, mismatched in size or tread condition, or incorrectly inflated can cause brake problems. Technician B says simple inspection and checking with a pressure and a depth gauge can diagnose many tire problems. Who is correct?

Answers

The technicians are both accurate. Badly worn or underinflated tyres can lead to brake issues, and tyre issues are frequently detectable with a quick checkup and some pressure and depth gauge checks.

What's wrong with tyres that aren't the same size?

If you keep using wheels and tyres that aren't compatible, they'll wear down unevenly and might cause issues in the future. The same problems may arise if you decide to drive your car with mismatched wheels. Uneven wear and tear will result from mismatched wheels and tyres.

What is the main reason why tyres wear unevenly?

Uneven tyre wear is typically brought on by poor alignment, excessive or inadequate air pressure, or a worn-out suspension. Understanding the various irregular tyre wear patterns shown below can be useful.

To know more about technicians visit:-

https://brainly.com/question/29486799

#SPJ1

6
6 points
is a vector based using rigs to move body parts instead of drawing over and over.
2D animation
motion graphics
computer animation (3D)
stop motion

Answers

The phrase "vector animation" describes animation in which the art or motion is controlled by vectors rather than by pixels.

Explain about the vector animation?

Scalable vector graphics are the best option for web pages since they provide at least 16.7 million colors, while GIF only supports 256 in terms of raster vs. vector animation (animated illustrations, logos, icons, etc.).

Editors' Choice: Adobe Animate is the best animation programme overall. Photoshop Animate Image courtesy of Adobe Adobe Animate is the greatest animation program to choose when looking for vector-based software that is easy for beginners to use while still being useful for cross-platform projects.

When animating its features and shorts, Pixar Animation Studios uses proprietary software called Presto, which was created and is utilized exclusively within the company. Only Pixar uses Presto, which isn't for sale.

To learn more about vector animation refer to:

https://brainly.com/question/28251771

#SPJ9

random integer between 3 and 13 (inclusive)

Answers

Answer:

6

Explanation:

Answer:

4

Explanation:

It is between 3 and 13. Please answer some of my questions too! :)

write passage on computer virus​

Answers

In more technical terms, a computer virus is a type of malicious code or program written to alter the way a computer operates and is designed to spread from one computer to another. A virus operates by inserting or attaching itself to a legitimate program or document that supports macros in order to execute its code.

Answer:

A computer virus is a relatively small program that attaches itself to data and program files before it delivers its malicious act. There are many distinct types of viruses and each one has a unique characteristic. Viruses are broken up into to main classes, file infectors and system or boot-record infectors.

hope it helps

Which describes the state of "weak" vs. "strong" Artificial Intelligence (Al) in the
marketplace?
O Current Al models can adapt on their own across domains of data, without intervention.
O Al models have surpassed human capabilities to evolve and change.
O The current state of Al offerings would be classified mostly as "weak" Al at this point.
O The marketplace will have "strong" Al solutions ready for delivery within the next year.
O I don't know this yet.
Submit answer

Answers

Answer:

Strong AI has a complex algorithm that helps it act in different situations, while all the actions in weak AIs are pre-programmed by a human. ... They can process and make independent decisions, while weak AI-based machines can only simulate human behaviour.

Explanation:

5. When you send your email to a bad address it may come back as a:
spam email
server email
bounced email
hypertext email
SAVE & E

Answers

Answer:

The answer is a bounced email

Can anyone help me answer this question?
What is cold booting and warm booting?

Answers

Answer:

Cold booting is the process of starting a computer from a completely powered-off state. In contrast, warm booting is the process of restarting a computer while it is still powered on.

Four major communication points​

Answers

Answer:

Reading, writing, speaking, and listening are basic communication skills necessary for effective communication

Explanation:

I hope its right

also known as user generated content (UGC). It refers to a variety of media content that is produced by

Individuals or a group of people working in collaboration. It is also referred to as consumer generated media (CGM) or

user created content (UCC).

Prosumerism

Creationism

Productionism

Consumerism

Answers

Answer: Prosumerism

Explanation:

Prosumerism is a portmanteau of the words, producer and consumerism. As the term infers, it is the use of customers in the production process with the logic being that customers know what they want so should be given a chance to help in creating it.

This is why companies have increasingly started using user generated content that is produced by consumers who are working individually or in a group. These will help the company in producing a viable product for the market.

PLEASE HELP
Find five secure websites. For each site, include the following:

the name of the site

a link to the site

a screenshot of the security icon for each specific site

a description of how you knew the site was secure

Use your own words and complete sentences when explaining how you knew the site was secure.

Answers

The name of the secure websites are given as follows:

wwwdotoxdotacdotuk [University of Oxford]wwwdotmitdotedu [Massachusetts Institute of Technology]wwwdotwordbankdotorg [World Bank]wwwdotifcdotorg [International Finance Corporation]wwwdotinvestopediadotorg [Investopedia]

Each of the above websites had the security icon on the top left corner of the address bar just before the above domain names.

What is Website Security?

The protection of personal and corporate public-facing websites from cyberattacks is referred to as website security.

It also refers to any program or activity done to avoid website exploitation in any way or to ensure that website data is not accessible to cybercriminals.

Businesses that do not have a proactive security policy risk virus spread, as well as attacks on other websites, networks, and IT infrastructures.

Web-based threats, also known as online threats, are a type of cybersecurity risk that can create an unwanted occurrence or action over the internet. End-user weaknesses, web service programmers, or web services themselves enable online threats.

Learn more about website security:
https://brainly.com/question/28269688
#SPJ1

PLEASE HELPFind five secure websites. For each site, include the following:the name of the sitea link

what word describes how would electronically retrieve data​

Answers

Answer: Data retrieval means obtaining data from a database management system such as ODBMS. ... The retrieved data may be stored in a file, printed, or viewed on the screen. A query language, such as Structured Query Language (SQL), is used to prepare the queries.

Other Questions
A freight train made a trip to nyc and back. the trip there took nine hours and the trip back took 15 hours. it averaged 33 km/hour on the return trip. find the average speed of the trip there. a= 65 km/hour b= 35 km/ hour c= 55 km/hour d= 40 km/hour PLEASE HELP I CAN'T FAIL THIS!!!What is the volume of the composite figure if both the height and the diameter of the cylinder are 3.5 feet? Give the exact answer and approximate to two decimal places. prompt: what is cash flow? The beak size in a species of bird is influenced by a gene for which only two alleles exist. The allele that results in a large beak is dominant to the allele that results in a smaller beak. If introduction of a new food source causes the birds with smaller beaks to be better fit to survive, which of the following will most likely happen?NEEED ASAP!!!! 50 POINTS!!!!1 PLEASE HELPThe Indian Ocean is experiencing the loss of coral reefs at an increasing rate. This is due in part to _____ ocean temperatures and increased _____ levels.A) increased; acidB) decreased; baseC) decreased; acidD) increased; base Which generalization best explains why Koreans made scientific advancements during the time period discussed in the excerpt above? 1.Scientific achievement is a central tenet of Buddhism2.Korean Buddhists conquered civilizations that made technological breakthroughs3.Other Buddhist civilizations shared technological innovations in addition to cultural ideas4.The Chinese conquered Korea and brought their innovations with them 8. You randomly select 20 athletes and measure the resting heart rate of each. The sample mean heart rate is 64 beats per minute, with a sample standard deviation of 3 beats per minute. Assuming normal distribution construct a 90% confidence interval for the population mean heart rate. The quadratic parent function has been reflected down, stretched vertically by a factor of 1/3 Discuss some specific strategies Blake uses in his critique ofsociety in "London" and two of his other poems. Evaluate the integrals:1.) 01 1 / (x2+1)2dx2.) x+1 / x2+2x+2 dx3.) 4x2-1 / x dx4.) 1 / x3 x2-1 which of the following structures secrete fluid to help suspend, protect, and mobilize sperm before it exits the body? bulbourethral glands ductus (vas) deferens epididymis prostate gland seminal vesicles 14. All living things react to sound, touch etc. Whatever causes a living thing to react is called a stimulus. The reaction is called a response. Which of these is an example of a STIMULUS- RESPONSE? 10. What is the rule of about acute angles if we have 2 parallel lines cut by a transversal? How do you resolve impediments? if gene a is transcribed from the top strand of dna and gene b is transcribed from the bottom strand of dna, then the coding sequence for gene a is located on Solve tan (teta/2) = - 0.1282 on 0 < 0 < 360 and express the answer in degrees to two decimal places. Probability math question HELP ASAPall info in imagePLZ AND THANK YOU Select the correct answer.An elephant has 56 chromosomes. Which statement about a zygote of an elephant is true? A. The zygote has 28 chromosomes, mostly inherited from the father. B. The zygote has 56 chromosomes, all inherited from the mother. C. The zygote has 28 chromosomes, all inherited from the mother. D. The zygote has 56 chromosomes, 28 inherited from the mother and 28 from the father. E. The zygote has 28 chromosomes, 14 inherited from the mother and 14 from the father. clean chemical corp. recently moved its operations from houston, texas, to somalia. the decision to move was the result of new federal regulations regarding clean air standards in the united states. a critic of globalization would say this example demonstrates what concern? Exercise 2 Complete each sentence by adding an appropriate adjective in the space provided. The women entered the _________ grocery store.