extensive structures and intricate arrangement of functional space in the nan madol community support which of the following conclusions?

Answers

Answer 1

Both cultures imposed rigid moral standards. Sometimes works of art and architecture challenge our perceptions of what was formerly thought to be feasible and what our forefathers were capable of.

An excellent example is the defunct megalithic capital of Nan Madol, which is situated in a lagoon next to the island of Pohnpei in the Federated States of Micronesia in the Pacific Ocean. By stating that over a period of four centuries, the people of Pohnpei moved an average of 1,850 tons of basalt per year—and no one is quite sure how they did it—archaeologist Rufino Mauricio helps us put these enormous amounts into perspective.

Learn more about average here-

https://brainly.com/question/28404358

#SPJ4


Related Questions

Write a python function pyramidVolume that computes and prints the volume of a pyramid given it's height (h), base length (I) and base width (w) as param Here is the formula for calculating volume: Volume lwh/3 Submit your code and answer the following: What is the approximate volume of great pyramid of Giza: https/en.wikipedia.org/wiki Great Pyramid of Giza Here are it's approximate dimensions: height is 455.4 feet, base length and widths are 755.9 feet each.

Answers

To calculate the PyramidVolume by defining a function calc_pyramid_volume () with parameters base_length, base_width, and pyramid_height, that returns the volume of a pyramid with a rectangular base. calc_pyramid_volume() calls the given calc_base_area() function in the calculation.

Related geometry equation:

[tex]Volume = base area * height *1/3[/tex]

Here is the code:

def calc_base_area(base_length, base_width):

   return base_length * base_width

def calc_pyramid_volume(base_length, base_width, pyramid_height):

   return (calc_base_area(base_length, base_width) * pyramid_height)/3

length = float(input())

width = float(input())

height = float(input())

print('Volume for', length, width, height, "is:", calc_pyramid_volume(length, width, height))

Learn more about PyramidVolume

https://brainly.com/question/21510592

#SPJ4

You are working for an online gaming company. You have been asked to write some code to supportonline card games, such as poker, gin rummy, other games. As a starting point, you have been asked towrite prototype code that does the following:• Create a deck of cardso There 10 card values, numbered 0 through 9, and there are four cards for each cardvalueo You do not need to track suits (e.g., hearts, spades, etc.); for the purposes of thisassignment, all cards with the same card value are equivalent.• Deal a set of hands to a set of playerso There are five cards per hand and four players per game• Record counts of the multiples and singletons for the cards in each hand (four of a kind, three ofa kind, pairs, singletons, etc.)• Store the state of the deck, hands, and hand counts in a set of arrayso These will be used and updated over the course of games, so simply printing the state ofcards and hands at the start of the game is not sufficient. Instructions: 1. create a set of integer constants, with the following names and values: o deck length: 10 o cards per value: 4 o hand size: 5 o player count: 4

Answers

You are working for an online gaming company. You have been asked to write some code to support online card games, such as poker, gin rummy, other games. Below is the code structure

What is code?

The set of instructions or set of rules written in a specific programming language are referred to as "computer code" in computer programming (i.e., the source code).

Additionally, it refers to the source code that has undergone compilation and is now prepared for computer execution (i.e., the object code).

Below is the code structure

Code:

package com.test.Chegg;

import java.util.Arrays;

import java.util.Random;

public class CardGame {

   static int DECK_LENGTH = 10;

   static int CARD_PER_VALUE = 4;

   static int PLAYER_COUNT = 4;

   static int HAND_SIZE = 5;

   static int[] deck = new int[DECK_LENGTH];

   static int[][] playerHands = new int[PLAYER_COUNT][HAND_SIZE];

   public static void main(String[] args) {

       Arrays.fill(deck, CARD_PER_VALUE);// initializing deck with CARD_PER_VALUE

       // filling playerHands with Random card picked

       for (int i = 0; i < PLAYER_COUNT; i++) {

           for (int j = 0; j < HAND_SIZE; j++) {

               int randomCardValue = getRandom();

               playerHands[i][j] = randomCardValue;

           }

       }

       // printing the hands for each player

       for (int i = 0; i < PLAYER_COUNT; i++) {

           System.out.print("Player " + (i + 1) + " hand : ");

           for (int j = 0; j < HAND_SIZE; j++) {

               System.out.print(playerHands[i][j] + " ");

           }

           System.out.println("");

       }

       // printing the remaining cards

       System.out.println("");

       System.out.println("Cards Remaining:");

       System.out.print("Card:  ");

       for (int i = 0; i < DECK_LENGTH; i++) {

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

       }

       System.out.println("");

       System.out.print("Count: ");

       for (int i = 0; i < DECK_LENGTH; i++) {

           System.out.print(deck[i] + " ");

       }

   }

   // function to select random card fro available cards

   private static int getRandom() {

       // TODO Auto-generated method stub

       int randomCardValue = 0;

       for (int i = 0; i < DECK_LENGTH; i++) {

           Random random = new Random();

           randomCardValue = random.nextInt(DECK_LENGTH);

           if (deck[randomCardValue] == 0) {

               continue;

           } else {

               deck[randomCardValue]--;

               break;

           }

       }

       return randomCardValue;

   }

}

Learn more about code

https://brainly.com/question/26134656

#SPJ4

when using e-mails and texts to communication they are more likely to be misinterpreted than face to face communication. this is due to the influence and importance of in communication.

Answers

When using e-mails and texts in communication, they are more likely to be misinterpreted than face to face communication, this is due to the influence and importance of gesture in communication.

What is communication?

Communication can be defined as a strategic process which involves the transfer of information (messages) from one person (sender) to another (recipient or receiver), especially through the use of semiotics, symbols, signs and network channel.

What is an e-mail?

An e-mail is an abbreviation for electronic mail and it can be defined as a software application that is designed and developed to enable users exchange both texts and multimedia messages (electronic messages) over the Internet.

In this context, we can reasonably infer and logically deduce that in an electronic mail (e-mail) or text it would be more difficult to determine a person's tone, gesture, or inflection in comparison with a phone or face to face communication.

Read more on e-mail here: brainly.com/question/15291965

#SPJ1

Complete Question:

When using e-mails and texts in communication they are more likely to be misinterpreted than face to face communication. This is due to the influence and importance of ______ in communication.

The file Parameters.java contains a program to test the variable length method average from Section 7.5 of the text. Notethat average must be a static method since it is called from the static method main.1. Compile and run the program. You must use the -source 1.5 option in your compile command.2. Add a call to find the average of a single integer, say 13. Print the result of the call.3. Add a call with an empty parameter list and print the result. Is the behavior what you expected?4. Add an interactive part to the program. Ask the user to enter a sequence of at most 20 nonnegative integers. Yourprogram should have a loop that reads the integers into an array and stops when a negative is entered (the negativenumber should not be stored). Invoke the average method to find the average of the integers in the array (send thearray as the parameter). Does this work?5. Add a method minimum that takes a variable number of integer parameters and returns the minimum of theparameters. Invoke your method on each of the parameter lists used for the average function.

Answers

1. code is compiled, image is attached for the same.

2. Case-1 passing 13 to average function 13.0

3. Case-2 passing no arguments average function 0.0

4. Case-3 reading integers from user

 Enter a number

 6

Enter a number

 -9

 0.6

5. Finding minimum of 35, 43, 93, 23, 48, 21, 75

   21.0

What is Computer Programming ?Computer programming is the process of performing a specific calculation, usually by designing and building an executable computer program. Programming includes tasks such as analysis, algorithm creation, profiling algorithm accuracy and resource consumption, and algorithm implementation. The program's source code is written in one or more languages. languages ​​that programmers understand, not machine code that is directly executed by the processor. The purpose of programming is to find a set of instructions that automate the execution of a task (which can be as complex as an operating system) on a computer, often to solve a specific problem. Thus, expert programming typically requires subject matter expertise, including application domain expertise, specialized algorithms, and formal logic.

The Main program:

import java.util.Scanner;

public class Parameters

{

public static void main(String[] args)

{

double mean1, mean2;

int []read=new int[20];

mean1 =average(42, 69, 37);

mean2 =average(35, 43, 93, 23, 40, 21, 75);

//case-1 average with single number 13

System.out.println("Case-1 passing 13 to average function"+average(13));

//case-2 average with no arguments

System.out.println("Case-2 passing no arguments average funtion"+average());

int i=1;

Scanner in=new Scanner(System.in);

System.out.println("Case-3 reading integers from user");

//This method will take integers from user of array of size 20

      while(i<20)

{

System.out.println("Enter a number ");

read[i]=in.nextInt();

//Break the loop if it is negative

if(read[i]<-1)

break;

i++;

}

System.out.println(average(read));

//To minimum of the array of elemnts

int[]arr={42,69,37};

System.out.println("Finding mimum of 42,69,37");

System.out.println(minimum(arr));

//To minimum of the array of elements

System.out.println("Finding mimum of 35, 43, 93, 23, 40, 21, 75");

int[]arr2={35, 43, 93, 23, 40, 21, 75};

System.out.println(minimum(arr2));

}

//average funtion to find average of numbers

  public static double average (int ... list)

 {

  double result = 0.0;

if (list.length != 0)

{

int sum = 0;

for (int num: list)

sum += num;

result = (double)sum / list.length;

}

return result;

  }

//minimum funtion will return minimum of array

 public static double minimum(int[] list)

    {

     int i=0;

          int min=list[i];

//loop for cheking minimum

    for( i=1;i<list.length;i++)

    {

      if(min>list[i])

            min=list[i];

    }

return min;

      }

}

To learn more about computer programming, visit;

brainly.com/question/28449122

#SPJ4

Which of the following statements about design is TRUE?a. The best designs are the result of a singular creative genius.b. The goal of any designer is the find the single best solution.c. Designs must satisfy many objectives.

Answers

The objective of any designer is to identify the solitary best solution, according to the truth about design.

Which step of the design process happens first?User-centric research is the primary emphasis of the design thinking process' initial phase. You should develop an empathic grasp of the issue you are attempting to resolve.Graphs should be identified and referred to as figures. All numbers for formal reports should be included in Appendix B at the conclusion of your document. Figures for memos may be either incorporated within the main text of the message or added as separate pages. Figure 1, Figure 2, etc. should be used to consecutively number the figures.    

To learn more about Design refer to:

https://brainly.com/question/5971614

#SPJ4

which would be the least likely to sink into soft ground?note that the truck in all statements has the same mass, and the load given to the truck is same in each case. A. a loaded lorry with six wheels B. a loaded lorry with four wheels C. an empty lorry with four wheels D. an empty lorry with six wheels

Answers

The least probable vehicle to sink into soft ground would be an empty tractor-trailer with six wheels.

The least probable vehicle to sink into soft ground would be an empty tractor-trailer with six wheels.

If the ground is soft, a lorry may sink as a result of the pressure it exerts on the surface.

The force applied per unit area is known as pressure.

The net force per area on the ground decreases if there are more wheels because the pressure is distributed among them.

A loaded truck generates more force per square inch than an empty truck.

Therefore, an empty truck with six wheels will exert less force per unit area on the ground, lowering its pressure.

To know more about force click here:

https://brainly.com/question/13191643

#SPJ4

match the word to its definition or symbol. 1. element 2.{ } empty set 3. finite set 4.{whole numbers} infinite set 5. null set 6.a set limited by definition not an element 7. subset

Answers

Below is a pair of meanings and symbols along with their explanations

In set theory, the following definition are present;

1. Element -an item in a set, where a set is a collection of things that have something in common. The symbol for set is { 1,2,} denoted by S

2. Infinite set -is a set that is not a finite set and can be countable or uncountable. For example, a set of all integers {---,-1,0,1,2,3,...} is a countably infinite set.

3. A finite set is one that has a finite number of elements in that you could count and finish counting.In finite set there is an bijection between set X and the finite whole numbers. For example; N_n={1,2,3...,n}

4. Whole numbers are positive numbers that includes zero with no fractions or decimals.For example the set of whole numbers {0,1,2,3,4,5,...}

5/7. Empty set- a set that has no elements in called an empty set represented by the symbol { }. It is also called a null set. For example, if you were to find a set of all senior citizens who are less than 5 years old. There are no senior citizens under five years old.Such a set has no elements thus it is a null set.

6. Subset- is a set made up of components of another set.A set A is a subset of another set B if all elements of set A are elements of set B. This means set A is contained inside set B. i.e A⊂B

Learn More about Set theory : brainly.com/question/6948738

#SPJ4

which of the following statements are true? question 1 options: the high-frequency end of the bode plot indicates the system type. the low frequency end of the bode plot indicates the system type. the gain cross-over frequency is approximately equal to the natural frequency of the closed-loop response the phase margin is proportional to the damping coefficient of the closed-loop transfer function.

Answers

The correct following statement  :

the low frequency end of the bode plot indicates the system type. the gain cross-over frequency is approximately equal to the natural frequency of the closed-loop response.

What does a Bode plot tell you about a system?Bode plots display the frequency response, or the variations in magnitude and phase with respect to frequency. On two semi-log scale graphs, this is done. Usually, magnitude or "gain" is represented at the top in dB. Phase is shown on the bottom plot, usually in degrees.Both margins must be positive for a system to be stable, or the phase margin must be greater than the gain margin. For a marginally stable system, the phase margin and gain margin must both be equal to zero. Depicts a large range of variation in magnitude and phase angle with respect to frequency, independently, the Bode plot is also known as the logarithmic plot. Thus, semi-log graph paper is used to doodle the bode plots.

Learn more about Bode plots refer to :

https://brainly.com/question/28029188

#SPJ4

Design A 5-bit Counter in Verilog with following requirements: Aynch active-low rst_n Async active-high preset Preset input count_in[4:0] Count output count[4:0] Control signal up_down=1: COUNT upwards ODD numbers Control signal up_down=0: COUNT downwards EVEN numbers Attach VERILOG RTL code and SIMULATION Waveform for all scenarios

Answers

2^5=32. Consequently, 5 flip flops were needed. Mod-32 denotes a 32-count divide. 2^n=32.

What is a modulo 5 counter?

Since 000 is a legitimate count state, a MOD-5 counter would generate a 3-bit binary count sequence from 0 to 4, giving us the binary count frequency of: 000, 001, 010, 011, 100.

Aynch active - low rst_ n

Asynch active - high preset

preset input count_in[4:0]

Count output count[4:0]

Control signal up_down = 1:

COUNT upwards ODD numbers

Control signal up down = 0:COUNT downwards EVEN numbers

The formula 2n >= N, where n is equal to the number of flip-flops needed and N is the mod number, can be used to determine how many flip-flops are needed to create a mod-5 counter. In this instance, the only feasible value of n that can satisfy the aforementioned equation is 3. Consequently, three flip-flops are needed.

To learn more about modulo 5 counter refer to:

https://brainly.com/question/16398856

#SPJ4

a) Design an L-section matching circuit to match a loadZL​to50Ohmsat200MHzwhere the load is a series connection of a resistor with a capacitor whereR=RxandC=5pF. Draw theLmatching circuit indicating what type of lumped element components you are using and what their values are. You need to show only one design. No need for two designs.Rx=100

Answers

Resistors are discussed in an electronics tutorial as being connected in series to create voltage divider or potential networks.

Explain about the Resistors?

A resistor is a two-terminal electrical component that implements electrical resistance as a circuit component. In electronic circuits, resistors are used for a number of tasks, such as reducing current flow, regulating signal levels, dividing voltages, biassing active devices, and terminating transmission lines.

It goes against common sense, but resistors are crucial to the proper operation of electronics even though they dissipate energy. They serve to prevent excessive voltage or electric current from being applied to other components.

There are various uses for resistors. A few examples include limiting the flow of electricity, dividing the voltage, producing heat, matching and loading circuits, controlling gain, and establishing time constants.

To learn more about Resistors refer to:

https://brainly.com/question/24858512

#SPJ4

If weather conditions are such that it is required to designate an alternate airport on your IFR flight plan, you should plan to carry enough fuel to arrive at the first airport of intended landing, fly from that airport to the alternate airport, and fly thereafter for45 minutes at normal cruising speed

Answers

It is TRUE to state that if weather conditions are such that it is required to designate an alternate airport on your IFR flight plan, you should plan to carry enough fuel to arrive at the first airport of intended landing, fly from that airport to the alternate airport, and fly thereafter for 45 minutes at normal cruising speed.

What is IFR Flight Plan?

IFR flight planning is an acronym for Instrument Flight Rules, a phrase used to describe flight planning when the pilot expects to utilize onboard instruments for navigation.

IFR is used when the conditions in an aircraft are deemed too dangerous to rely solely on visual cues.

Learn more about IFR Flight Plan:
https://brainly.com/question/28089224
#SPJ1

Full Question:

If weather conditions are such that it is required to designate an alternate airport on your IFR flight plan, you should plan to carry enough fuel to arrive at the first airport of intended landing, fly from that airport to the alternate airport, and fly thereafter for45 minutes at normal cruising speed

True or False

The following answers for the Causes and Consequences features are examples and are not intended to represent a comprehensive list. In addition, the sequence of items is not meant to connote relative importance.
Sort the examples below into the appropriate bin.
Causes:
-Fossil fuels are rich in energy
-Fossil fuels are far cheaper than renewables
-Fossil fuel industry receives government subsidies
Consequences:
-Greenhouse emissions spur climate change
-fossil fuel combusiton creates smog
-fossil fuel extraction alters and fragments habitat
Solutions:
-increased research
-inclusion of the environental costs
-a shift of federal subsidies from fossil fuesl to renewables

Answers

Causes:

Fossil fuels are rich in energyFossil fuels are far cheaper than renewablesFossil fuel industry receives government subsidies

What is meant by Causes and Consequences features?When there is a cause-and-effect relationship, one occurrence triggers another. It is the study of how one variable affects another in research. The cause, whether it be an event or a variable, may have one or many effects. It is crucial that students comprehend what constitutes a cause and effect scenario. They ought to be able to point to a specific incident that gave rise to the cause of an effect. Finding these three things can assist in developing analytical brains and thinkers who can solve complicated situations.

Causes:

Fossil fuels are rich in energyFossil fuels are far cheaper than renewablesFossil fuel industry receives government subsidies

Consequences:

Greenhouse emissions spur climate changefossil fuel combustion creates smogfossil fuel extraction alters and fragments habitat

Solutions:

increased researchinclusion of the environmental costsA  shift of federal subsidies from fossil fuels to renewables.

To learn more about Causes and Consequences refer to:

https://brainly.com/question/25680753

#SPJ4

FILL IN THE BLANK. Feigenbaum popularized the term _____, which described the portion of plant capacity wasted due to poor quality.

Answers

Feigenbaum popularized the term Hidden factory which described the portion of plant capacity wasted due to poor quality.

Armand Feigenbaum popularized the phrase "secret factory" in the late 1970s. Feigenbaum's idea of the "hidden factory" centered on quality, particularly the waste and expenses brought on by "poor work," much of which is "hidden" beneath the surface of routine activities. Another famous idea from Feigenbaum is the "hidden plant." That is, a certain percentage of a factory's capability is lost because things aren't done correctly the first time. The first guru, Feigenbaum, described "Total Quality Control" as an efficient system for combining the quality-development, quality-maintenance, and quality-improvement efforts of the various groups in an organization to enable marketing, engineering, and other departments to operate more efficiently.

Learn more about efficient here-

https://brainly.com/question/13154811

#SPJ4

toby is drafting the physical network topology plans for the new headquarters building for his company. which of the following will there be the most of within the building?

Answers

Buildings use resources and energy at a startling rate. We can improve. A foundation for green buildings that are healthful, effective, low-emission, and economical is provided by LEED.

The success of sustainability is symbolized by LEED certification, which is supported by an entire sector of dedicated businesses and individuals paving the path for market transformation. Buildings that are LEED certified enhance efficiency, cut carbon emissions, and make spaces that are healthier for people to live in. They are vital to combating climate change, achieving ESG objectives, boosting resilience, and promoting more equitable societies. A project must adhere to prerequisites and credits that cover carbon, energy, water, waste, transportation, materials, health, and indoor environmental quality in order to gain LEED certification.

Learn more about efficiency here-

https://brainly.com/question/13154811

#SPJ4

a dma controller has 5 channels. the controller is capable of requesting a 32-bit word every 40 nsec. a response takes equally long. how fast does the bus have to be to avoid being a bottleneck? explain your calculations and justify your answer.

Answers

Each request and response in a bus transaction take 100 nanoseconds, for a total of 200 nanoseconds. This results in 5 million bus transactions every second.

The bus should be able to accommodate 20 MB/sec if each is four bytes. RPM is a unit used to gauge the speed of rotation in electric and electronic devices. Hard drives spin between 3,000 and 15,000 RPM, whereas floppy disks spin at 300 RPM. Typically, CD and DVD platters spin at 2,000 to 5,000 RPM. Theta = position angle, t = time, and w = angular velocity, where w = angular velocity, theta = position angle, and t = time. Angular velocity is the rate of change of an object's position angle with respect to time.

Learn more about speed here-

https://brainly.com/question/28988558

#SPJ4

A blood platelet drifts along with the flow of blood through an artery that is partially blocked. As the platelet moves from the wide region to the narrow partially blocked region, the pressure on the platelet: a. increases. b. decreases. c. stays the same. d. drops to zero. e. not enough information to determine.

Answers

A blood platelet drifts along with the flow of blood through an artery that is partially blocked. As the platelet moves from the wide region to the narrow partially blocked region, the pressure on platelet (b) decreases.

What is thermal pressure?

A fluid or solid's change in relative pressure in reaction to a change in temperature at a constant volume is known as thermal pressure in thermodynamics. It has to do with the Pressure-Temperature Law, sometimes referred to as Amontons' Law or Gay Lusac's Law.

A gas expands when heated to a constant pressure, which causes it to cool via expansion. The specific heat at constant pressure CP = CV + R per mole results from the need to add more thermal energy.

To learn more about thermal pressure, use the link given
https://brainly.com/question/16988731
#SPJ4

adits are the machines used to haul mined material in an open-pit mine. the vertical shafts that go deep into a mine to reach to the depth at which ore is found. the entrances to underground mine shafts. piles of mine tailings that are sprayed with acid to release more metal ore.

Answers

Adits are the entrances to underground mine shafts.

What is adit in underground mining?An underground mine's horizontal or nearly horizontal entrance, called an adit (from the Latin aditus, "entryway"), allows for the entry, drainage and ventilation of the mine as well as the extraction of minerals at the lowest practical level. Adits are also utilised for mineral vein exploration.A horizontal or nearly horizontal route dug from the surface of the Earth through the face of a mountain or ridge for the purpose of operating, ventilating, or draining a mine. adit. Mining drift is a related topic.A horizontal or nearly horizontal passageway that connects to a larger underground excavation for ventilation, water removal, or an additional entrance is known as an adit. The small tunnels provide access to the main shaft at key locations during both mining and tunnelling operations.

Learn more about underground mining refer to :

https://brainly.com/question/10401629

#SPJ4

Your firm has been asked to design a new secondary clarifier for a conventional activated sludge plant. The MLSS concentration is 3,000 mg/L, the flow rate is 8,000 m3/d, and the recycle ratio is 0.46. The desired RAS concentration is 10,000 mg/L. Use the following column settling data (Peavy et al., 1985): MLSS, mg/L 1,400 2,200 3,000 3,700 4,500 5,200 6,500 8,200 Settling velocity, m/h 3.0 1.85 1.21 0.76 0.45 0.28 0.13 0.089 To complete the design, provide the limiting solids flux rate, solids loading rate, diameter, and the overflow rate. Then, verify that the overflow rate is acceptable.

Answers

Your firm has been asked to design a new secondary clarifier for a conventional activated sludge plant.

For MLSS is 1,400 mg/L and setting velocity is 3 m/h.

What is overflow rate?

Similarly calculate the gravity flux for remaining MLSS values.

Cmg/L    um/h         SF kg/m².h

1,400  3           4,2

2,200  1,85   4,07

3,000  1,21           3,63

3,700 0,76   2,812

4,500 0,45   2,025

5,200 0,28    1,456

6,500 0,13           0,845

8,200 0,089   0,7298

Under flow velocity = - Slope

Substitute - 0.135 m/h for slope.

Under flow velocity = - (-0.135)

                              = 0.135 m/h

Therefore, the diameter of the clarifier is 40m.

To learn more about sludge plant, refer to

https://brainly.com/question/13899114

#SPJ4

the pressure drop needed to force water through a hori- zontal 1-in.-diameter pipe is 0.60 psi for every 12-ft length of pipe. determine the shear stress on the pipe wall. determine the shear stress at distances 0.3 and 0.5 in. away from the pipe wall.

Answers

At a distance of 0.3 inches from the pipe wall, the shear stress is 0.06012 lb/ft2. At a distance of 0.5 inches from the pipe wall, there is no shear stress.

Assume that the pipe has a pressure drop of 0.6 psi per foot, a length of 12 feet, and a diameter of 1 inch.

In a circular pipe, the pressure drop per unit length is given as; make shear stress () the subject of the formula.

Shear tension in part (a) at 0.3 inches from the pipe wall

P = 0.6 psi/ft P, in lb/ft2 = 0.6 x 144 = 86.4 lb/ft2 Radius of the pipe = 0.5 -in r = 0.5 -0.3 = 0.2-in = 0.0167 ft

Shear stress in part (b) at a distance of 0.5 in from the pipe wall is equal to zero.

Learn more about stress here-

https://brainly.com/question/13261407

#SPJ4

g birth weight and gestational age study (note: for some gestational ages there are multiple observations, but all of these data points are independent):

Answers

Add the difference between the EDD and the delivery date to 280 days (280 days - 8 days = 272 days, for example). By multiplying the total days from step 3 by 7, you can get 38.9 weeks.

Menstrual history, clinical examination, and ultrasound are the three fundamental techniques used to estimate gestational age (GA). We also show that birth weight can be calculated more accurately than gestational age. A larger mother's size, superior nutritional reserves as measured by her arm fat and muscle area during pregnancy, a higher birth order, quitting smoking, and her age between 20 and 35 all had a significant impact on FFGC.

Learn more about techniques here-

https://brainly.com/question/29438924

#SPJ4

Ideas for capital investment should come from the engineering and sales departments rather than from the finance department.

Answers

The statement Ideas for capital investment should come from the engineering and sales departments rather than from the finance department is False.

Define capital investment.

Spending money on an asset with the intention of seeing its value rise over time is known as investing. Sacrificing some current assets, like time, money, or effort, is necessary for investment.

To further a company's long-term business goals and objectives, capital investment refers to the purchase of tangible assets. Among the assets that are bought as capital investments are real estate, manufacturing facilities, and machinery.

To learn more about capital investment, use the link given
https://brainly.com/question/24564639
#SPJ4

Gate AB is 1.2 m long and 0.8 m in depth. Neglecting atmospheric pressure effects. Compute the force F on the gate _________ (in kN) and its center of pressure position X from point A____________ (in meters).

Answers

the force F on the gate 38.75 kN and its center of pressure position X from point A 0.615m(in meters).

What is force?

A force is a push or pull that causes a change in speed, direction or shape. Newton's third law says that for every action there is an equal and opposite reaction. This means that when one object pushes on another with a force, the other object pushes back on the first object with the same force.

Calculations:

The centroidal depth of the gate is

[tex]\begin{array}{l}\mathrm{h}_{\mathrm{CGi}}=4.0+(1.0+0.6) \sin 40^{\circ}=5.028 \mathrm{~m}, \\\text { hence } \quad \mathrm{F}_{\mathrm{AB}}=\gamma_{\text {oil }} \mathrm{h}_{\mathrm{CG}} \mathrm{A}_{\text {gate }}=(0.82 \times 9790)(5.028)(1.2 \times 0.8)=\mathbf{3 8 7 5 0} \mathbf{N} \text { } \\38750 \mathrm{~N}=38.75 \mathrm{kN}\end{array}[/tex]

The line of action of F is slightly below the centroid by the amount

[tex]\begin{array}{c}\mathrm{y}_{\mathrm{CP}}=-\frac{\mathrm{I}_{\mathrm{xx}} \sin \theta}{\mathrm{h}_{\mathrm{CG}} \mathrm{A}}=-\frac{(\mathrm{l} / 12)(0.8)(1.2)^{3} \sin 40^{\circ}}{(5.028)(1.2 \times 0.8)}=-0.0153 \mathrm{~m} \\\mathrm{y}_{\mathrm{CP}}=-\frac{\mathrm{I}_{\mathrm{xx}} \sin \theta}{\mathrm{h}_{\mathrm{CG}} \mathrm{A}}=-\frac{(1 / 12)(0.8)(1.2)^{3} \sin 40^{\circ}}{(5.028)(1.2 \times 0.8)}=-0.0153 \mathrm{~m}\end{array}[/tex]

Thus the position of the center of pressure is at X =0.6 + 0.0153 = 0.615m

To Know More About force, Check Out

https://brainly.com/question/13014979

#SPJ4

create a puppy class with private property weight and both a getter and a setter for that property called getweight and setweight. the constructor should take a parameter to initialize the private property.

Answers

Using the codes in computational language in JAVA it is possible to write a code that create a puppy class with private property weight and both a getter and a setter for that property called getweight and setweight.

Writting the code:

class Puppy {

       constructor(n) {

           // private property

           var name = n

           // methods that use private property

           this.getName = () => {return name}

           this.setName = (n) => {name = n}

           // public property

           this.nickname = n

       }

       // methods that use public property

       setNickname(n) { this.nickname = n }

       getNickname() { return this.nickname }

   }

   p = new Puppy("fido")

   console.log("p.name",p.name) // undefined, not accessible

   console.log("p.getName()",p.getName()) // fido

   console.log("p.getNickname()",p.getNickname()) // fido

   console.log("---")

   p.name = "barker" // defines a new property on this instance of Puppy

   console.log("p.name",p.name) // barker

   console.log("p.getName() ",p.getName()) // doesn't change private name fido

   console.log("---")

   p.setName("fuzz") // change private name

   console.log("p.getName()",p.getName()) // fuzz

   console.log("p.getNickname()",p.getNickname()) // fido

   console.log("---")

   p.nickname = "chewy" // set public property directly

   console.log("p.getNickname()",p.getNickname()) // chewy

See more about JAVA at brainly.com/question/18502436

#SPJ1

among 16 electrical components exactly 4 are known not to function properly. if 6 components are randomly selected, find the following probabilities:

Answers

Probability is the likelihood that an event or events will occur. Probability denotes the likelihood of obtaining a specific outcome and can be calculated using a simple formula.

How do you calculate the probability?

The probability of an event occurring is determined by probability: P(A) = f / N. Odds and probability are related, but odds are dependent on probability.

Formula for Probability

P(A) denotes the likelihood of an event (event A) occurring.

f = The number of possible outcomes for an event (frequency)

N is the total number of possible outcomes.

Calculating probability with multiple random events is similar to calculating probability with a single event, but there are a few extra steps to get to the final solution. The formula for calculating the likelihood of two events occurring is as follows:

P(A and B) = P(A) multiplied by P(B) (B)

Where:

P(A and B) = Chance of both A and B happening.

P(A) = Event A Probability

P(B) = Event B Probability

To learn more about probability refer to :https://brainly.com/question/13604758

#SPJ4

Tate 4 component that are included in the deign , production and utiliation of material and brefiely decribe interelationhip between thee component

Answers

Through modest feedback and smooth transitions, motion concentrates attention and maintains continuity.

When elements appear on the screen, they alter and rearrange the surrounding space, and interactions lead to more changes. The color scheme of Material is a methodical way to incorporate color into a user interface. Global color styles are divided into five categories: primary, secondary (brand colors), surface, backdrop, and error. Each category has a specific purpose.

For consistency and easily readable contrast, each color also has a complementary color that is utilized for items that are put "on" top of it. There are 13 typography styles available in the Material Design type scale for anything from headlines to body text and captions. Every style has a distinct purpose and intended use inside an interface.

Learn more about incorporate here-

https://brainly.com/question/29521859

#SPJ4

wave damage definition coastal in a tropic pyramid, only about_________% of the energy and organic matter in a tropic level is passed to the next higher level.

Answers

A trophic level is a level or a place in an ecological pyramid, a food web, or a food chain. It is inhabited by a collection of species that feed similarly.

The autotrophs and the heterotrophs are the two main types in the trophic levels. Autotrophs are living things that can convert inorganic material into organic material. They are also referred to as the producers of an ecosystem because they can manufacture their own food and do not require the sustenance of other organisms. Organisms that consume organic matter directly are known as heterotrophs.

They lack the capacity to produce their sustenance from inorganic sources, in contrast to autotrophs. To obtain food, they hunt or gather it from other living things. Therefore, heterotrophs are referred to as consumers. They could also be divided into primary, secondary, tertiary, and so forth consumers. Herbivorous organisms, also known as primary consumers, consume plants. The primary consumers provide food for the secondary consumers.

To know more about trophic click here:

https://brainly.com/question/13154325

#SPJ4

Compute the output signal y for the following paired inputs and LTI system impulse responses I and h, respectively: (a) x(t) = e-fu(t), h(t) = u(t) + 8(t-1) (b) x(t) = et cos(t)u(t+1), h(t) = -2u(t) (c) x[n] = e-64+1)" u[n], h[n] = u[n] =

Answers

Although an LTI system can only be fully described by its impulse response, this does not always make system identification useful.

Take into account, for instance, a system where a container of water is heated using an electrical heater. One can roughly describe such a system as an LTI system by using the water temperature as the system's output and the heating power as its input. A heating system that receives a very brief electrical pulse as input would then be considered a pulse. It is physically (almost) impossible to have a pulse that is strong enough to appreciably raise the temperature of a huge volume of water. The step reaction is simpler to use in certain circumstances.

Learn more about system here-

https://brainly.com/question/13151970

#SPJ4

an article gave the following observations on maximum concrete pressure (kn/m2). 33.3 41.9 37.4 40.3 36.7 39.2 36.2 41.9 36.0 35.2 36.8 38.9 35.9 35.3 40.1 (a) is it plausible that this sample was selected from a normal population distribution? because of the number of observations, we ascertain that it is plausible that this sample was taken from a normal population distribution. because of the number of observations, we ascertain that it is not plausible that this sample was taken from a normal population distribution. using a normal probability plot, we ascertain that it is not plausible that this sample was taken from a normal population distribution. using a normal probability plot, we ascertain that it is plausible that this sample was taken from a normal population distribution. (b) calculate an upper confidence bound with confidence level 95% for the population standard deviation of maximum pressure. (round your answer to three decimal places.)

Answers

The assumption that the sample means follow a roughly normal distribution is used to calculate a confidence interval for a population mean with a known standard deviation.

The degree of confidence affects the margin of error (EBM) (abbreviated CL). The possibility that the estimated confidence interval estimate will include the genuine population parameter is frequently referred to as the confidence level. However, it is more correct to say that the confidence level, when repeated samples are obtained, is the percentage of confidence intervals that contain the true population parameter. A confidence level of 90% or higher is typically chosen by the person creating the confidence interval because they want to be reasonably certain of their conclusions.

Learn more about Level here-

https://brainly.com/question/24228066

#SPJ4

a) Indicate all the BCNF violations. Do not forget to consider FD’s that are not in the given set, but follow from them. However, it is not necessary to give violations that have more than one attribute on the right side?
b) Decompose the relations, as necessary, into collections of relations that are in BCNF?
o R(A,B,C,D) with FD’s AB ->C, BC ->D, CD ->A and AD ->B
o R(A,B,C,D) with FD’s A ->B, B ->C, C ->D and D ->A
o R(A,B,C,D,E) with FD’s AB ->C, C ->D, D ->B, and D ->E

Answers

R(A,B,C,D,E) has the following FDs: AB->C, DE->C, and B->D. R(ABC) and R are the decomposed relations into BCNF (BCDE).

i) ABE is a candidate key for the relation presented.

The above relation does not fall under BCNF since the left-hand sides of the functional dependencies, AB C, DE C, and B D, do not contain super keys.

Thus, BCNF is violated by all FDs.

ii) R(ABCD), R(CDE), and R are the decomposed relations into BCNF (ABE).

FD's AB-> C, C-> D, D-> B, and D->E are present in R(A, B, C, D, and E).

I AB, AC, and AD are the potential keys for the given connection.

As AB C has the super key on the LHS of the functional dependencies, it does not go against the BCNF. Due to the lack of super keys on their LHS, C, D, and E violate the BCNF.

ii) R(ABC) and R are the decomposed relations into BCNF (BCDE).

To know more about key click here:

https://brainly.com/question/26902479

#SPJ4

if for another 3-phase signal, the critical flow ratios for phases 1, 2 and 3 are 0.32, 0.25 and 0.23, respectively, the cycle length were 90 seconds, and the total lost time is 10.0 seconds per cycle, what are the) a. the critical flow ratio for the cycle, (in seconds)

Answers

If the critical flow ratios for phases 1, 2, and 3 of another three-phase signal are 0.32, 0.25, and 0.23, respectively, the critical flow ratio for the cycle are 34, 28 and 28 (in seconds).

Webster's method for an optimum cycle time of a signal is given by:

Co = 1.5L+5/1-Y

Effective green time on i^th lane:

Gi = Yi/Y x (Co-L)

L= lost time per cycle

Y= sum of the ratios of normal to saturated flows

Calculations:

Given,

Y= y1 + y2 + y3

Y= 0.30+0.25+0.25= 0.80

L= 10 sec (given).

Hence, Optimum cycle time:

Co= 1.5L+5/1-Y

C0= (1.5*10)+5/1-0.80 = 100 sec.

Now green times are calculated by,

G1= y1/y (Co-L) = 0.30/0.80 (100-10)= 34 sec.

G2= y2/y (Co-L) = 0.25/0.80 (100-10)= 28 sec.

G3= y3/y (Co-L) = 0.28/0.80 (100-10)= 28 sec.

To know more bout signal click here:

https://brainly.com/question/16248997

#SPJ4

Other Questions
in a capacity management report from a well-known carrier in the airline industry, the yield is 9.83 cents, load factor is 82.1 percent, and operating expense is 8.28 cents. the revenue generated by each seat flown one mile is when this guitar string vibrates in the second harmonic, it creates a sound wave in air, traveling at 343 m/s. what is the frequency of this sound wave? a mutation in the gene encoding which of the following proteins would increase the sensitivity of the ames test to the type of spontaneous mutations produced by nitrites in the presence of strong acids? group of answer choices photolyase catalase ap endonuclease mutt uvra What is your own personal definition of life?. a cartel behaves like part 2 a. an oligopolistic firm. b. a monopolistic competitive firm. c. a monopolist. d. a perfectly competitive firm. What is the significance of Claudius soliloquy in Act 3 Scene 3?. Suppose the market is initially in equilibrium at price P1 and then the government Price imposes a tax on every unit sold. Which of the following statements best describes the impact of the tax? A. The consumer will bear a greater share of the tax burden if the demand B. The consumer will bear a greater share of the tax burden if the demand C. The consumer will bear the entire burden of the tax if the demand curve is St curve is D curve is D D1 and the producer will bear the entire burden of the tax if the demand curve is D Quantity D. The consumers share of the tax burden is the same whether the demand curve is D1 or D2 A random sample of 49 statistics examinations was taken. The average score, in the sample, was 84 with a variance of 12.25. The 95% confidence interval for the average examination score of the population of the examinations is76.00 to 84.0077.40 to 86.6083.00 to 85.0068.00 to 100.00 which process result in the release of carbon? select three options pls give brainly -. in the context of attitude measurement, on what type of scale do people say how willing they are to admit members of a group to various levels of social closeness? What are prime multiples of 10?. propose two different combinations of bonding features to account for an ihd of 5 in a molecule consisting of c and h atoms and one o atom only in the 2003 decision of lawrence v. texas, the u.s. supreme court did which of the following? What could be considered some negatives about lobbying?. FILL IN THE BLANK. stores that provide moderate sales assistance because they carry shopping goods about which customers need a moderate level of information are called ___ retailers. Did Samuel Johnson write the first dictionary?. For a given inflation rate, if concerns about future weakness in the economy cause businesses to reduce their spending on new capital, then the ______ shifts _____.aggregate demand curve; left Which theory proposes that stressors which disrupt daily routines can trigger relapses in mood disorders?. How did the study of the atom contribute to our understanding of the periodic table of the elements?. for which of the following is a t-test appropriate for performing a hypothesis test? select the correct answer below: a convenient sample of 23 individuals is taken from the residents of a city with approximately normally distributed commute times. the sample mean is 19 minutes and the sample standard deviation is 2 minutes. a population is used to obtain a sample mean of 53 and a sample standard deviation of 7 based on a convenient sample of size 19. a sample mean of 70 and sample standard deviation of 7 are obtained using a simple random sample of size 19 from a normally distributed population. a sample mean of 194 pages and a standard deviation of 37 pages are obtained using a simple random sample of 30 books from a public library having approximately normally distributed numbers of pages. the population standard deviation is 31.4 pages.