Can customers reply to emails that are sent from GD?

Answers

Answer 1

Emails sent from GD can be replied to by customers. When you send an email from GoDaddy, the recipient will see your email address as the sender, and they can simply hit "reply" to respond to your message.

It's important to note that replies to emails sent from GD will be sent to the email address associated with the account that was used to send the email. If you have multiple email accounts associated with your GD account, make sure that you are sending emails from the correct email address that you want customers to reply to. Also, be sure to check the spam folder in case replies end up there.

Overall, GD provides a standard email service, which means that customers can reply to emails that are sent from their email service just like any other email service.

For more information about emails, visit:

https://brainly.com/question/29515052

#SPJ11


Related Questions

There is an island containing two types of people: knights who always tell the truth, and knaves who always lie. As you arrive at the island, you are approached by three natives, A, B, and C.


A says: If B is a knight then C is a knave.

B says: If C is a knight then A is a knave.

C says: If A is a knight then B is a knave.


Required:

Determine the number of knights that are possible.

Answers


Based on the statements provided by natives A, B, and C, it is not possible to determine the number of knights on the island.


In this scenario, knights always tell the truth, and knaves always lie. We need to determine the number of knights among natives A, B, and C based on their statements.

A states: "If B is a knight then C is a knave."
B states: "If C is a knight then A is a knave."
C states: "If A is a knight then B is a knave."

To solve this, we would typically analyze the statements and look for consistent scenarios. However, the given statements form a logical paradox, making it impossible to determine the number of knights. Each statement leads to a contradiction, creating a circular dependency that cannot be resolved.

Without additional information or statements, we cannot ascertain the number of knights among natives A, B, and C. The problem presented is an example of a logical puzzle where further clues or statements are needed to determine the solution.

Learn more about natives here : brainly.com/question/12257940

#SPJ11

_____ includes the technologies used to support virtual communities and the sharing of content. 1. social media 2.streaming 3. game-based learning

Answers

Answer: it’s A, social media

Explanation:

Social media are interactive digital channels that enable the production and exchange of information. The correct option is 1.

What is Social Media?

Social media are interactive digital channels that enable the production and exchange of information, ideas, hobbies, and other kinds of expression via virtual communities and networks.

Social media includes the technologies used to support virtual communities and the sharing of content.

Hence, the correct option is 1.

Learn more about Social Media:

https://brainly.com/question/18958181

#SPJ2

Please Help! (Language=Java) This is due really soon and is from a beginner's computer science class!
Assignment details:
CHALLENGES
Prior to completing a challenge, insert a COMMENT with the appropriate number.

1) Get an integer from the keyboard, and print all the factors of that number. Example, using the number 24:

Factors of 24 >>> 1 2 3 4 6 8 12 24
2) A "cool number" is a number that has a remainder of 1 when divided by 3, 4, 5, and 6. Get an integer n from the keyboard and write the code to determine how many cool numbers exist from 1 to n. Use concatenation when printing the answer (shown for n of 5000).

There are 84 cool numbers up to 5000
3) Copy your code from the challenge above, then modify it to use a while loop instead of a for loop.

5) A "perfect number" is a number that equals the sum of its divisors (not including the number itself). For example, 6 is a perfect number (its divisors are 1, 2, and 3 >>> 1 + 2 + 3 == 6). Get an integer from the keyboard and write the code to determine if it is a perfect number.

6) Copy your code from the challenge above, then modify it to use a do-while loop instead of a for loop.

Answers

Answer:

For challenge 1:

import java.util.Scanner;

public class Main {

   public static void main(String[] args) {

       // Get an integer from the keyboard

       Scanner scanner = new Scanner(System.in);

       System.out.print("Enter an integer: ");

       int num = scanner.nextInt();

       // Print all the factors of the integer

       System.out.print("Factors of " + num + " >>> ");

       for (int i = 1; i <= num; i++) {

           if (num % i == 0) {

               System.out.print(i + " ");

           }

       }

   }

}

For challenge 2:

import java.util.Scanner;

public class Main {

   public static void main(String[] args) {

       // Get an integer from the keyboard

       Scanner scanner = new Scanner(System.in);

       System.out.print("Enter an integer: ");

       int n = scanner.nextInt();

       // Count the number of cool numbers from 1 to n

       int coolCount = 0;

       for (int i = 1; i <= n; i++) {

           if (i % 3 == 1 && i % 4 == 1 && i % 5 == 1 && i % 6 == 1) {

               coolCount++;

           }

       }

       // Print the result using concatenation

       System.out.println("There are " + coolCount + " cool numbers up to " + n);

   }

}

For challenge 3:

import java.util.Scanner;

public class Main {

   public static void main(String[] args) {

       // Get an integer from the keyboard

       Scanner scanner = new Scanner(System.in);

       System.out.print("Enter an integer: ");

       int n = scanner.nextInt();

       // Count the number of cool numbers from 1 to n using a while loop

       int coolCount = 0;

       int i = 1;

       while (i <= n) {

           if (i % 3 == 1 && i % 4 == 1 && i % 5 == 1 && i % 6 == 1) {

               coolCount++;

           }

           i++;

       }

       // Print the result using concatenation

       System.out.println("There are " + coolCount + " cool numbers up to " + n);

   }

}

For challenge 5:

import java.util.Scanner;

public class Main {

   public static void main(String[] args) {

       // Get an integer from the keyboard

       Scanner scanner = new Scanner(System.in);

       System.out.print("Enter an integer: ");

       int num = scanner.nextInt();

       // Determine if the integer is a perfect number

       int sum = 0;

       for (int i = 1; i < num; i++) {

           if (num % i == 0) {

               sum += i;

           }

       }

       if (sum == num) {

           System.out.println(num + " is a perfect number.");

       } else {

           System.out.println(num + " is not a perfect number.");

       }

   }

}

For challenge 6:

import java.util.Scanner;

public class Main {

   public static void main(String[] args) {

       // Get an integer from the keyboard

       Scanner scanner = new Scanner(System.in);

       System.out.print("Enter an integer: ");

       int num = scanner.nextInt();

       // Determine if the integer is a perfect number using a do-while loop

       int sum = 0;

       int i = 1;

       do {

           if (num % i == 0) {

               sum += i;

           }

           i++;

       } while (i < num);

       if (sum == num) {

           System.out.println(num + " is a perfect number.");

       } else {

           System.out.println(num + " is not a perfect number.");

       }

   }

}

Drag the tiles to the correct boxes to complete the pairs.
Match each cloud service with its cloud component.
IaaS
SaaS
MaaS
PaaS
monitoring tools
arrowRight
storage and network devices
arrowRight
virtual computing platform
arrowRight
software upgrades and patches
arrowRight

Answers

IaaS- virtual computing platform, SaaS- software upgrades and patches, MaaS- monitoring tools, PaaS- storage and network devices.

What is SaaS and PaaS?

SaaS (Software as a Service): This attribute of cloud computing aids in the development of the business for which the software is offered. It enhances operating systems, middleware, timely data transmission, and task management, among other things.

PaaS (Platform as a Service) is a feature that functions as a framework for the development of applications. It aids in the development, testing, and upgrading, of the software.

Therefore, SaaS is software upgrades and patches.

Learn more about SaaS, here:

https://brainly.com/question/13485221

#SPJ1

IaaS- virtual computing platform, SaaS- software upgrades and patches, MaaS- monitoring tools, PaaS- storage and network devices.

What is SaaS and PaaS?

SaaS (Software as a Service): This attribute of cloud computing aids in the development of the business for which the software is offered. It enhances operating systems, middleware, timely data transmission, and task management, among other things.

PaaS (Platform as a Service) is a feature that functions as a framework for the development of applications. It aids in the development, testing, and upgrading, of the software.

hris has received an email that was entirely written using capitalization. He needs to paste this text into another document but also ensure that the capitalization is removed.

What should Chris do?

Answers

He should un caps lock it

App developers often work with marketing firms to figure out what consumers want and need. In your opinion, what need or want are today’s app developers failing to meet? How could you use analytical skills to help identify and meet that need or want?

Answers

App developers often work with marketing firms to figure out what consumers want and need. In my opinion, the need or want today’s app developers fail to meet is the need to be very professional, and keep to project delivery timelines.

How could one use analytical skills to help identify and meet that need or want?

The app developers simply need to take more courses on project management.

Project management is the process of managing a team's effort to fulfill all project goals within the limits set.

This data is often specified in project documentation, which is prepared at the start of the development process. Scope, time, and budget are the key restrictions.

Learn more about App Developers:
https://brainly.com/question/26533170
#SPJ1

the workstations and servers are quite obvious. what are some other things you should add to your shopping list?

Answers

Other items you should add to your shopping list include a high-capacity data storage facility and electronic name badges for each team member.

How do forensic workstations work?

Forensic workstations are top-of-the-line computers with lots of memory, disk storage, and quick processing. These workstations can do crucial tasks such data duplication, data recovery from erased files, data analysis across the network, and data retrieval from slack.

What two duties fall within the purview of an acquisitions officer at a crime scene?

A list of storage media, such as detachable disk photos of equipment and windows taken before they were taken down, is included in the documentation of the materials the investigating officers gathered using a computer.

To know more about workstations visit :-

https://brainly.com/question/13085870

#SPJ4

Mallory would like to display the rows from a MySQL table that have "Red," "Pink," or "White" in the COLOR column. A concise way of writing her query would be to use a(n) _____.

a. LIKE clause
b. CONTAINS clause
c. BETWEEN clause
d. IN clause

Answers

The concise way of writing Mallory's query would be to use the IN clause.  The correct option is d.

IN clause

Mallory can write the query as "SELECT * FROM table_name WHERE COLOR IN ('Red', 'Pink', 'White')" to display the rows from the MySQL table that have these colors in the COLOR column. The IN clause allows you to specify multiple values in a single query. This statement selects all rows from the table where the COLOR column contains either "Red," "Pink," or "White."

The LIKE clause is used to search for a pattern in a column, the CONTAINS clause does not exist in MySQL, and the BETWEEN clause is used to select values within a range.

To know more about MySQL visit:

https://brainly.com/question/30763668

#SPJ11

assume eax contains 2000 before calling (4000). how many bytes memory is allocated?

Answers

It depends on the specific operation being performed at memory address 4000.

The value in the EAX register (2000 in this case) could be an argument or parameter being passed to the operation at memory address 4000. The operation could then use this value to determine how much memory it needs to allocate.

Simply having the value 2000 in the EAX register and calling an address (4000) does not allocate any memory by itself. Memory allocation typically involves a specific system or library function to request and manage memory.

To know more about memory  visit:-

https://brainly.com/question/31045114

#SPJ11

i was scripting for my game design clas and i was just creating a story based game. its not really a question but could you guys (meaning fellow users) give it a go? not done yet tho..

file:///C:/Users/Gamer_x9/Downloads/A%20New%20Beginning.html

its not an adobe link that pulls another tab dw i would never

Answers

Answer: sure thing

Explanation:


in the picture above.

in the picture above.

Answers

Answer:

State it

Explanation:

Hope it helps! ^w^

Answer:

see it

Explanation:

Based on the following code segment, what is the value of variable z?
var x = "hello";
var y= "world!";
var z = y.length 2 x.length + (3);

Answers

The value of variable z can be calculated by first evaluating the expression y.length - 2 * x.length, which involves subtracting twice the length of x from the length of y.

The length of x is 5, and the length of y is 6.

So y.length - 2 * x.length evaluates to 6 - 2 * 5, which is -4.

Then, the expression (3) is simply the number 3.

Adding these two values together gives:

z = -4 + 3 = -1

Therefore, the value of variable z is -1.

state the difference between Ms Word 2003, 2007 and 2010​

Answers

Answer:

Difference of File Menu between Word 2003, Word 2007 and Word 2010 There is a few difference of the File menu between Classic Menu for Word 2007/2010 and Word 2003. The File drop down menu in Word 2007 and 2010 includes 18 menu items, while 16 menu items in Word 2003.

Explanation:

People often want to save money for a future purchase. You are writing a program to determine how much to save each week given the cost of the purchase and the number of weeks. For example, if the cost of the purchase is $100 and the desired number of weeks is 5, then you divide $100 by 5. You find that you need to save $20 each week. Some of the steps in your plan are followed. Put them in order of which occurs first. Some steps are not listed.
First:
Next:
Last:

words that can be used
check for accuracy
Ask the user for the cost of the purchase and the number of weeks.
Divide the cost of the purchase by the number of weeks.

Answers

Answer:

def budget():

   cost = int(input("Enter the cost of purchase: "))

   weeks = int(input("Enter the number of weeks: "))

   savings = round(cost / weeks, 2)

   return savings

budget()

Explanation:

The python program defines a function called "budget" that prompts the user for the integer number value of the cost of purchase and the number of weeks for the budget and returns the savings within the specified number of weeks.

Answer:

First: Ask the user for the cost of the purchase and the number of weeks

Next: Divide the cost of the purchase by the number of weeks

Last: Check for accuracy

Explanation:

What other size PCIe slot might you find on a motherboard? a. PCIe x16 b. PCIe x10 c. PCIe x3 d. PCIe x4.

Answers

Answer:PCIe x4

Explanation:

which two user interface settings should be used to allow users, with all required profile permissions, to edit records in list views

Answers

Two user interface settings that should be used to allow users, with all required profile permissions, to edit records in list views are "Enable Inline Editing" and "Enable List View Inline Editing."

To enable users to edit records in list views, the "Enable Inline Editing" setting needs to be enabled. This allows users to directly modify field values within the list view itself without opening individual records.

Additionally, the "Enable List View Inline Editing" setting should also be enabled to grant users the ability to edit multiple records simultaneously within the list view. These settings provide a streamlined and efficient way for users to make changes to record data directly from the list view interface, enhancing productivity and user experience.

Learn more about productivity click here:

brainly.com/question/30333196

#SPJ11

in 2014, what percentage of the world population has access to the internet?

Answers

Answer:

At that time 43.9% of people have access to the global internet.

write the order of tasks that each person completes in order to make mashed potatoes in the shortest time. in order to format your answer, write the sequence of tasks each person does, with commas between tasks of one person, and semicolons between task lists of different people. for example, if you submit 0,1,2,4;3,5, person 0 will do tasks 0, 1, 2, and 4 (in that order), and person 1 will do tasks 3 and 5 (in that order). this will take 33 minutes total. you may add spaces, and order the task lists in any order. for example, the autograder will consider the above answer as equivalent to the submission 3,5;0,1,2,4 and the submission 0, 1, 2 ,4 ;3 ,5

Answers

To make mashed potatoes in the shortest time, the tasks can be divided among multiple people. Here is one possible distribution of tasks:

Person 1: Peel and chop potatoes, Boil water, Drain potatoes, Mash potatoesPerson 2: Set the table, Prepare butter and milk, Season mashed potatoe Person 3: Make gravy, Serve mashed potatoes and gravyThe sequence of tasks for each person can be represented as follows:Person 1: Peel and chop potatoes, Boil water, Drain potatoes, Mash potatoesPerson 2: Set the table, Prepare butter and milk, Season mashed potatoesPerson 3: Make gravy, Serve mashed potatoes and gravyNote: The order of the task lists can be rearranged, and spaces can be added for clarity. The autograder will consider answers with equivalent task sequences as correct.

To know more about tasks click the link below:

brainly.com/question/32317663

#SPJ11

true/false. 1.1 an artwork whose form has been simplified, distorted or exaggerated.

Answers

True. An artwork can have its form simplified, distorted, or exaggerated for various reasons. Artists may choose to do this to emphasize certain elements of the artwork, to express emotions, or to create a unique style.

For example, the famous artist Pablo Picasso is known for his cubist paintings where he distorted and simplified the forms of his subjects, creating a new way of seeing and interpreting the world. Similarly, in the pop art movement of the 1960s, artists like Andy Warhol used exaggerated colors and simplified forms to make bold statements about consumerism and mass culture. On the other hand, artists may also use realistic or detailed forms to create a sense of accuracy or realism in their artwork. Ultimately, the decision to simplify, distort, or exaggerate forms in an artwork is up to the artist and the effect they want to achieve.

Learn more about consumerism here-

https://brainly.com/question/11690847

#SPJ11

How do I make the text and heading different colors?

How do I make the text and heading different colors?

Answers

Answer: do u have word if you do go to font and u can change ur font

Explanation:

Edhesive 4: Evens and Odds answer

Answers

Answer:

n = int(input("How many numbers do you need to check? "))

even = 0

odd = 0

for i in range(n):

   

   n=int(input("Enter number: "))

   

   if (n%2 == 0):

        print(str(n)+" is an even number. ")

       

        even = even + 1

       

   else:

       

       print(str(n)+" is an odd number. ")

       

       odd = odd + 1

       

print("You entered "+str(even)+" even number(s).")

   

print("You entered "+str(odd)+" odd number(s).")

Explanation:

just copy and paste you will get 100 percent any questions comment below

Answer:n = int(input("How many numbers do you need to check? "))

even = 0

odd = 0

for i in range(n):

 

  n=int(input("Enter number: "))

 

  if (n%2 == 0):

       print(str(n)+" is an even number. ")

     

       even = even + 1

     

  else:

     

      print(str(n)+" is an odd number. ")

     

      odd = odd + 1

     

print("You entered "+str(even)+" even number(s).")

 

print("You entered "+str(odd)+" odd number(s).")

The following gives an English sentence and a number of candidate logical expressions in First Order Logic. For each of the logical expressions, state whether it (1) correctly expresses the English sentence; (2) is syntactically invalid and therefore meaningless; or (3) is syntactically valid but does not express the meaning of the English sentence: Every bird loves its mother or father. 1. VæBird(a) = Loves(x, Mother(x) V Father(x)) 2. Væ-Bird(x) V Loves(x, Mother(x)) v Loves(x, Father(x)) 3. VæBird(x) ^ (Loves(x, Mother(x)) V Loves(x, Father(x)))

Answers

Option 1 correctly expresses the English sentence.

Does option 1 correctly express the English sentence "Every bird loves its mother or father"?

Option 1, "VæBird(a) = Loves(x, Mother(x) V Father(x))," correctly expresses the English sentence "Every bird loves its mother or father." The logical expression uses the universal quantifier "VæBird(a)" to indicate that the statement applies to all birds. It further states that every bird "Loves(x)" either its mother "Mother(x)" or its father "Father(x)" through the use of the disjunction operator "V" (OR). Thus, option 1 accurately captures the intended meaning of the English sentence.

Learn more about:  expresses

brainly.com/question/28170201

#SPJ11

Write a program that hardcodes N and then computes the average (the arithmetic mean) of N integers selected from [0,1000]. This program should run 10 times, and thus provide 10 results.

You should use an outer loop that runs the inner loop (the one which computer the mean) a total of 10 times, printing out the 10 results, one per line.

Answers

Answer:

Explanation:

Program ( PascalABC) and Result:

const N = 25;

 var Summ : integer;

     Num : integer;

     Sa : real;

 begin

   Num := 0;

   for var j := 1 to 10 do

   begin

      Summ := 0;

       for var i:= 1 to N do

           Summ := Summ + Random (1001);    

       Sa := Summ / N;

       Write (' Sa =  ', Sa);

       WriteLn;

    end;

 end.

With p = 1 000 000 the result is naturally close to the middle of the interval (0 - 1000), that is, the number 500

 

Write a program that hardcodes N and then computes the average (the arithmetic mean) of N integers selected
Write a program that hardcodes N and then computes the average (the arithmetic mean) of N integers selected

.A process in which Photoshop responds to your size-change request either by adding or subtracting pixels is called?

Answers

Answer:

Changing the pixel dimensions of an image is called resampling. Resampling affects not only the size of an image onscreen, but also its image quality and its printed output—either its printed dimensions or its image resolution.

You have two Windows Server 2016 computers with the Hyper-V role installed. Both computers have two hard drives, one for the system volume and the other for data. One server, HyperVTest, is going to be used mainly for testing and what-if scenarios, and its data drive is 250 GB. You estimate that you might have 8 or 10 VMs configured on HyperVTest with two or three running at the same time. Each test VM has disk requirements ranging from about 30 GB to 50 GB. The other server, HyperVApp, runs in the data center with production VMs installed. Its data drive is 500 GB. You expect two VMs to run on HyperVApp, each needing about 150 GB to 200 GB of disk space. Both are expected to run fairly disk-intensive applications. Given this environment, describe how you would configure the virtual disks for the VMs on both servers.

Answers

The virtual disk configuration for the VMs on both servers in this environment is shown below.

In the Hyper V Test,

Since there will be two or three virtual machines running at once, each of which needs between 30 and 50 GB of the total 250 GB of disk space available,

What is virtual disks?

Setting up 5 virtual disks, each 50 GB in size.

2 VMs each have a 50 GB virtual drive assigned to them.

The above setup was chosen because running three VMs with various virtual disks assigned to them will not pose an issue when two or three VMs are running concurrently and sharing the same virtual disk. This is because the applications are disk-intensive.

To learn more about virtual disks refer to:

https://brainly.com/question/28851994

#SPJ1

Given this environment, the virtual disk configuration for the VMs on both servers is shown below. Because two or three VMs will be running at the same time, and each VM has disk requirements ranging from 30 to 50 GB of total disk space of 250 GB.

What is Hyper V Test?While there are several methods for testing new virtual machine updates, Hyper-V allows desktop administrators to add multiple virtual machines to a single desktop and run tests. The Hyper-V virtualization technology is included in many versions of Windows 10. Hyper-V allows virtualized computer systems to run on top of a physical host. These virtualized systems can be used and managed in the same way that physical computer systems can, despite the fact that they exist in a virtualized and isolated environment. To monitor the utilization of a processor, memory, interface, physical disk, and other hardware, use Performance Monitor (perfmon) on a Hyper-V host and the appropriate counters. On Windows systems, the perfmon utility is widely used for performance troubleshooting.

Therefore,

Configuration:

Creating 5 Virtual disks of 50 GB each.

1 virtual disk of 50 GB is assigned to 2 VM.

The above configuration is because since two or three VM will be running at the same time and using the same virtual disk will cause a problem since the applications are disk intensive, running three VMs with different virtual disks assigned to them, will not cause a problem.

For Hyper V App,

Two VM will run at the same time, and the disk requirement is 150 - 200 GB of 500 GB total disk space.

Configuration:

Creating 2 virtual disks of 200 GB each with dynamic Extension and assigning each one to a single VM will do the trick.

Since only two VMs are run here, the disk space can be separated.

To learn more about Hyper V Test, refer to:

https://brainly.com/question/14005847

#SPJ1

which part of project management involves determining possible risks ​

Answers

Answer:

A Gantt chart is primarily used for project management. Project managers use it frequently for effective project handling. A Gantt Chart enables the following: Easier task scheduling.The triple constraint theory, also called the Iron Triangle in project management, defines the three elements (and their variations) as follows:

Scope, time, budget.

Scope, schedule, cost.

Good, fast, cheap.

A proven methodical life cycle is necessary to repeatedly implement and manage projects successfully.

i need help, thank you

i need help, thank you

Answers

Answer:

i think i might be the 3 answer

Explanation:

biometric security includes the use of passwords. True or False​

Answers

Which examples are credible sources that could be used for an essay on the environment? Pick all that apply.

a website for a federal environmental agency
a website run by a non-profit organization
an article for an online wiki encyclopedia
a blog by a child who’s interested in nature
a video game that features animal characters
a paper on the environment by a university professor

Answers

Answer:

article, website run by non profit, website for fed agency

Answer:

Article

website run by non profit

website for fed agency

Explanation:

what is the most popular monitor​

Answers

Probably a television or a radio I guess
Other Questions
Which statement best synthesizes ideas from thesepassages? The most important part of participating in society isbeing able to believe in yourself. Many people accept the societies they live inwithout question. Mature people see beyond immediate situationsand value their own thoughts. It is important to be grateful for others who havelaid the foundations for your success. In a given population if the percentage of homozygous dominant genotype is 36% and the percentage of heterozygous genotype is 48%, what will be the percentage of homozygous recessive genotype Whats the value of 11p10? What is the first step in a volcanic eruption?A. Magma collects in the chamber.B. Magma moves up the pipe.C. Gases in magma expand.D. Gases escape through the vents. Evaluate the function rule for the given value. y = 15 3x for x = 3 Derrick earns $14 per hour working at Pizza Palace. What will Derrick's new hourly rate be after a 4.5% raise. I am ductile and malleable and work well in wires. What am I? you are conducting a large meeting in which you want to make a presentation of a report on a screen. how can you do this with the windows app? Which of the following diseases is NOT a zoonotic febrile disease transmitted by ticks? a. Rocky Mountain Spotted Fever b. Rheumatic fever c. Anaplasmosis d. Lyme Disease DNA strands are antiparallel. What does that mean?-opposite and parallel-complete opposites-mirror image of each other-parallel of each other Which of the following is NOT a known consequence of sleep deprivation?o increased inflammation and arthritisO greater risk of obesityo increase in hunger-arousing ghrelinO decreased blood pressureWILL MARK BRAINLIEST is a person or thing that does the action in a sentence.A) A subjectB) A verbC) An object Explain how dislocation glide causes plastic deformations in materials. Which of the followings is true? A The developertents of dimerent coodinaee systems bawe been useful for the study of magnecic fiela lines C. The developmens of dillerent coordinace systems have been weful for the study of eleciric fieid lines. D. The develogenents of diferent coord nace systems have been useful for the theory of vector fields. A professional associate on a project says that you only need to consider the steady-state vibration solution to analyse a particular vibrations problem. Is this correct or not correct? Explain your response. iron has a bcc crystal structure, an atomic radius of 0.124 nm, and an atomic weight of 55.85 g/mol. compute and compare its theoretical density with the experimental value found in table (7.87 g/cm3) A company in Maryland has developed a device that can be attached to car engines, which it believes will increase the miles per gallon that cars will get. The owners are interested in estimating the difference between mean mpg for cars using the device versus those that are not using the device. The following data represent the mpg for random independent samples of cars from each population. The variances are assumed equal and the populations normally distributed. With Device Without Device 22.6 26.9 23.4 24.4 28.4 20.8 29.0 20.8 29.3 20.2 20.0 26.0 28.1 25.6 Given this data, what is the observed value of the test statistic for the difference in mean mpg? About 0.72 About 2.18 About 25.45 mpg None of the above (0) Kaplin is planning to invest $230 every year for the next 80 years in an investment paying 6 per cent per annum. What will be the amount he will have at the end of the 80th year? a. $401,717.98 b. $871,053.95 c. $294,580.80 d. $197,815.46 all of the following except one were jewish complaints against the western powers following world war ii. which of the following was the exception?A- The West's blocking of all ransom schemesB- The West's refusal to allow significant Jewish immigration as Hitler came to powerC- The West's failure to threaten retaliation in kind against GermanyD- The West's failure to airlift food to starving Jews in Eastern Europe. 6.Two cars A and B 250 km apart are traveling towards each other on the same road. Car A travels at 55 km/hwhile car B travels at 70 km/h.(a) When will they meet on the road?(b) Find the distance each car travels before they meet.