. ............... package is used by compiler itself. So it does not need to be imported for use.
A) java.math
B) java.awt
C) java.applet
D) java.lang

Answers

Answer 1

Answer: The compiler automatically imports the java.lang package.

Explanation:

Java packages are defined as a collection of classes, interfaces, and the like. Java programs utilize the components in the packages to implement their functionalities. Packages are either imported by the compiler or by the user through import keyword. The user can import any package using the import keyword. The import statements are always written at the beginning of the program.

import java.math.* ;

For example, the programmer writes the above statement that imports the java.math package into the java program.

Default packages are automatically imported by the compiler.

Default packages include java.lang packages. This default package is made up of all the classes and functions that are mandatory to any java program. Without java.lang package, the java program cannot be compiled and hence, becomes useless. The Java compiler adds the import statement for the default package, java.lang, at the beginning of the compilation. Hence, the statement

import java.lang.*;

does not needs to be written in the program.

The java.lang package consists of useful components which are required for various operations that can be done on the datatypes found in Java language. This package consists of classes and functions which relates to each data type and defines the functions which can be utilized to perform the operations allowed for the respective data types.

The java.lang package consists of Object, String, Math, System, Thread, Exception classes and wrapper classes like Integer, Double etc.. All the operations that can be implemented on the above-mentioned data types utilize the functions defined in their respective classes.

For example, printing on the console is done using System class.

System.out.println();

Also, all the operations done on strings use the methods such as append(), insert(), delete(), and replace(), etc, are pre-defined in the String class in the java.lang package.

Without java.lang package, any Java program cannot be useful.


Related Questions

Composite analog signals are SineWaves. True/false

Answers

False the answer is false

Differentiate between global alignment and local alignment.

Answers

Answer: In global alignment an end to end alignment is made in the entire sequence however in local alignment a local region is found wit the highest level of similarity in their sequences.

Explanation:

Global alignment is more suitable for closely related sequences whereas local is suitable for divergent sequences.

global alignment is used for comparing genes base on same functionalities whereas local alignment is used to find sequences in DNA.

EMBOSS needle is a global alignment tool and BLAST is a local alignment tool

What is disaster recovery? How could it be implemented at your school or work?

Answers

Answer:

Disaster recovery is a set of procedure/plans/actions which are put in place to protect an organization which is facing a disaster. In a technological terms, a government organizations facing cyber attack will follow certain counter measures to recover from cyber disaster. Similarly, in school a disaster recovery can be natural calamity or cyber threat at school's database.

To implement disaster recovery at school or work we must aware everyone with proper procedures and mock drills must be conducted so that people can act swiftly when a disaster occurs and speed up disaster recovery.

Examine the following code. What will be the output from the “printf()” statement below?

#define S_SIZE 10

char s[10] = { ‘g’ , ’o’ , ’m’ , ’i’ , ’z’ , ’z’ , ’o’ , ’u’ };

int j = 0;

for (j = S_SIZE -2; j > 4; j--) { printf( “%c”, s[j]); }

Using the definitions below (IGNORE ALL COMPILE ERRORS):
char s1 [ 50 ] = “JACK”, s2 [ 50 ]=”FRED”;

Answers

Answer:

uoz (with one space on the left most side)

Explanation:

#define is used to define macros, it just substitutes the value in the program.

For example:

#define S_SIZE 10

so, it put the value 10 where we write 'S_SIZE'.

then, character array define which has 8 elements.

Note: Array index starts from 0.

the, for loop is execute from 8 to j > 4( means 5).

it prints s[8] which not present in the array so, it prints blank space.

s[7] it prints 'u'

s[6] it prints 'o'

s[5] it prints 'z'

then the loop will be terminated.

Therefore, the answer is uoz with space on the leftmost side.

The term asymptotic means the study of the function f as n becomes larger and larger without bound.

True

False

Answers

Answer:

False

Explanation:

The term asymptotic means approaching a value or curve arbitrarily closely

A program written in ____ is the most basic circuitry-level language.

a.
Java

b.
machine language

c.
BASIC

d.
C

Answers

Answer:

The correct answer is B. Machine Language.

Explanation:

A programming language is a language that can be used to control the behavior of a machine. It consists of a set of syntactic and semantic rules that define its structure and the meaning of its elements, respectively.

A low level language is one that exposes the programmer to the operations of the machine, without contributing its own constructions. That is, in low level languages it will be possible to do everything the computer is capable of doing, but to achieve this the programmer will have to be intimately familiar with the details of the electronics in which his program runs.

An example of the low level language is the machine language that consists of binary instructions ready to run. The machine language is the one that gives orders to the machine, which are the fundamental operations for its operation. The computer only understands a language known as binary code or machine code, consisting of zeros and ones, which are easy to understand by the hardware of the machine. This language is much faster than high level languages. The disadvantage is that they are quite difficult to handle and use, besides having huge sources codes where finding a fault is almost impossible.

Final answer:

Machine language is the most basic circuitry-level language, written in binary code. High-level programming languages like C provide a more user-friendly alternative for programming.

Explanation:

The program written in machine language is the most basic circuitry-level language. Machine language is directly executed by the central processing unit (CPU) and is composed of binary code, which consists of zeros and ones. This type of programming is considered a low-level language, as opposed to high-level programming languages like Java, BASIC, or C, which require a compiler to convert their instructions into machine code that the CPU can understand and execute.

The main benefit of shielded twisted pair cabling over unshielded twisted pair is that STP is much more durable.

a) True b) False

Answers

Answer: True

Explanation:

In shielded twisted pair (STP) we have two wires which are twisted together and they have a shielding layer outside them which helps them to avoid interference from outside noise. STP thus having the advantage with an additional layer of shield covering the two wires together makes them more durable compared to unshielded twisted pair.

Write a program that generates two 3x3 matrices, A and B, withrandom values in the range [1, 100] and calculates the expression½A + 3B

Answers

Answer:

#include <bits/stdc++.h>

using namespace std;

int main() {

int A[3][3],B[3][3],res[3][3],i,j;

srand(time(0));//for seed.

for(i=0;i<3;i++)

{

   for(j=0;j<3;j++)

{

   int val=rand()%100+1;//generating random values in range 1 to 100.

   int val2=rand()%100+1;

   A[i][j]=val;

   B[i][j]=val2;

}

cout<<endl;

}

for(i=0;i<3;i++)

{

   for(j=0;j<3;j++)

   {

       res[i][j]=0.5*A[i][j]+3*B[i][j];//storing the result in matrix res.

   }

}

cout<<"Matrix A is"<<endl;

for(i=0;i<3;i++)

{

   for(j=0;j<3;j++)

   {

       cout<<A[i][j]<<" ";//printing matrix A..

   }

   cout<<endl;

}

cout<<"Matrix B is"<<endl;

for(i=0;i<3;i++)

{

   for(j=0;j<3;j++)

   {

       cout<<B[i][j]<<" ";//printing matrix B..

   }

   cout<<endl;

}

cout<<"The result is"<<endl;

for(i=0;i<3;i++)

{

   for(j=0;j<3;j++)

   {

       cout<<res[i][j]<<" ";//printing the result..

   }

   cout<<endl;

}

return 0;

}

Output:-

Matrix A is

13 95 83  

88 7 14  

24 22 100  

Matrix B is

11 13 95  

48 35 20  

68 100 18  

The result is

39.5 86.5 326.5  

188 108.5 67  

216 311 104  

Explanation:

I have created 2 matrices A and B and storing random numbers int the matrices A and B.Then after that storing the result in res matrix of type double to store decimal values also.Then printing the res matrix.

h(n)=h(n)+h(n-2)

h(2)=h(1)=h(0)=1, n>=2

Write a C++ function int h(int n)

Answers

Answer:

#include<iostream>

using namespace std;

int h(int i)

{

if(i==0 ||i==1||i==2)

 return 1;

else

 return(h(i-1)+h(i-2));

}

int main()

{

int n, result;

cout<<"Enter value for n:";

cin>>n;

result = h(n);

cout<<result;

}

Explanation:

The recurrence relation will be h(n)= h(n-1)+h(n-2), unless the recursion will not finish.

Do you think that people accept poor quality in information technology projects and products in exchange for faster innovation? What other reasons might there be for such poor quality?

Answers

Answer:

Explanation:

Great question, it is always good to ask away and get rid of any doubts that you may be having.

This depends on the company, but some companies will accept poor quality as long as the product works and provides them faster innovation. This will happen especially if a company knows or has an idea that a competitor is working on a similar product.

Another big reason why a company might accept poor quality in order to release a product is money. Sometimes a company does not have the budget to continue the project, therefore they release it usually in Early Access. This allows them to start making some money on the project while they continue to work on it.

I hope this answered your question. If you have any more questions feel free to ask away at Brainly.

In this exercise, we are analyzing the context in which we have the quality of technological products linked to monetary value, as follows:

We know that some companies are focused on having a worse quality as long as they make a quick profit, as the consumer is not a priority.

Who seeks price does not find quality?

When it comes to Price or Quality, many entrepreneurs most of the time have a false perception that the cheaper a product they tend to offer to the consumer, the greater the chances of success.

We must take into account that the option of a lower quality is often linked to the budget that a company may have.

See more about technology at brainly.com/question/9171028

___ is an example of a function prototype.
A) float roi(int, double);
B) printf("%f", roi(3, amt));
C) roi(3, amt);
D) float roi( int yrs, double rate)

Answers

Answer:

A

Explanation:

B is a print statement.

C is a function invocation

D is a function declaration

A prototype is actually quite close to a declaration. The semi-colon at the end shows that no implementation will follow. Adding parameter names is allowed but would only be helpful for better understanding.

When an expression containing a ____ is part of an if statement, the assignment is illegal.

a.
greater than sign

b.
double equal sign

c.
single equal sign

d.
Boolean value

Answers

Answer:

single equal sign

Explanation:

The if statement is used for check the condition.

syntax:

if(condition)

{

  statement;

}

let discuss the option one by one for find the answer:

Option a:  greater than sign

this assignment operator '>' is valid. it is used to create the condition like n>0, p>4.

Option b:  double equal sign

this assignment operator '==' is valid. it is used to check the equal condition.

like 2 == 2.

Option c:  single equal sign

this assignment operator '=' is not valid. it is used for assign the value to variable not for checking like a=2, in this 2 assign to a but it not apply the condition.

Option d:  Boolean value

we can provide the Boolean value as well if Boolean is TRUE, if condition true otherwise false.

Therefore, the option c is correct option.

Which of the following is not a standard method called aspart of the JSP life cycle*
*jspInit()

*jspService()

*_jspService()

*jspDestroy()

Answers

Answer:

*jspService()

Explanation:

These are the steps in JSP life cycle.

1. Conversion JSP page to Servlet .

2.Compilation of JSP page(test.java)

3.Class is loaded (test.java to test.class)

4.Instantiation (Object is created)

5.Initialization (jspInit() method is only called once at the time of servlet     generation )

6.Request processing(_jspService() method is used for serving requests by JSP)

7.JSP Cleanup (jspDestroy() method is used for removing JSP from use)

There is no *jspService() method in the JSP life cycle.

True / False Bit patterns have no intrinsic meaning.

Answers

Answer:

The given statement is True

Explanation:

Since, a bit pattern is a bit sequence, basically, data which as such has no intrinsic meaning.

Bit pattern is  a bit sequence or sequentially arranged binary digits.

It is used to describe bit sequence in communication channels, memory or some other device.

Bit patterns are used to represent instructions, floating point numbers,  signed/unsigned integers.

You observe that classmates who get good grades tend to sit toward the front of the classroom, while those who receive poor grades tend to sit toward the back. What are three possible cause-and-effect relationships for this nonexperimental observation?

Answers

1.Students at front rows will have to sit attentive and have to concentrate on the lecture being delivered,thus their knowledge about the lecture is way better than the students at back rows.

2. Front row students are more in line with the teacher and they have much better concepts regarding the lecture delivered and they have more score in exams.

3. Generally the more interested a student is about the lectures being delivered,the more front he/she is in classroom and thus this results in more grades.

Final answer:

Three possible cause-and-effect relationships explaining why students with good grades sit at the front include higher motivation, increased teacher attention, and the third-factor explanation such as self-confidence or socioeconomic status, which could indicate a spurious relationship.

Explanation:

You observe that classmates who get good grades tend to sit toward the front of the classroom, while those who receive poor grades tend to sit toward the back. Three possible cause-and-effect relationships for this nonexperimental observation could include:

Students with higher motivation levels might choose to sit at the front to minimize distractions and engage more directly with the lesson, leading to better performance.Teachers may pay more attention to students at the front, which might result in better understanding and higher grades for these students due to increased interaction.There could be a spurious relationship where both seat choice and academic performance are influenced by a third factor, such as self-confidence or socioeconomic status, as shown in Rist's study which linked social class with proximity to the teacher.

It is difficult to determine without further investigation whether the observed correlation indicates a causal relationship or a spurious relationship. Investigating the root causes of this observation would require a more rigorous research design with clear independent and dependent variables, as well as controls to account for potential confounding factors.

What are table buffers?

Answers

Answer:

Table buffers are tools used to avoid the process of accessing a database in servers.

Given the following code. float dollars[5] = {1986.10, 240.99, 215.50, 75.00, float euros[5]; Give the C++ code that will fill the euros array with the corresponding euro value dollars array. So the first element of euros will be equivalent to the euro vat clement of the dollars array, etc. Use the following formula: 1 dollar = .92 euro

Answers

Answer:

#include <iostream>

using namespace std;

int main()

{

  float dollars[5] = {1986.10, 240.99, 215.50, 75.00, 65.97};

  float euros[5];

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

      euros[i] = dollars[i]*0.92;

  }

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

      cout<<euros[i]<<endl;

  }

  return 0;

}

Explanation:

First include the library iostream for input/output.

then, create the main function and declare the arrays.

after that, take a for loop for traversing through dollars array and convert into euros by multiply each element with 0.92 value and store in the euros array with same index value as dollars array.

finally, take the for loop for print each element of the euros array.    

Examine the following code and answer questions 7 below. IGNORE COMPILE ERRORS.
int j = 0;
for (j = 0; j <= 9; j++)
{ printf( “%d”, 1 + ( rand() % 5 )); }
7. What are the POSSIBLE range of numbers that will be printed by the “printf()” statement above?

Answers

Answer:

1 to 5 both included.

Explanation:

rand() is the function which is used to generate the random values within the range.

for example:

rand() % 10;

it means it generate the output from 0 to 9. if we add the 1 in the above code:

like 1 + (rand() % 10);

Then, the range is from 1 to 10, it increase the range from start and end as well.

in the question code, for loop is used to for executing statement 9 times.

rand() % 5  

it generate the number from 0 to 4.

and 1 + ( rand() % 5 ))

it generate the output from 1 to 5

Therefore, the answer is 1 to 5.

the largest distribution of software cost will be when in the programs life cycle?

Answers

Answer: Early

Explanation:

The largest distribution of software cost will be in the early stages of program life cycle. The different phases in the program life cycle are edit time, compile time, link time, distribution time, installation time, load time, and run time. So during early program life cycle we have editing stage which involves correcting the code , debugging earlier codes and addition of features into the code which leads to a large software cost

When multiple exceptions are caught in the same try statement and some of them are related through inheritance, does the order in which they are listed matter?

Answers

Answer:

Yes, the order in which the catch blocks are listed matter in case where multiple exceptions are caught in the same try statement and some of them are related through inheritance.

Explanation:

A try block may be followed by one or mutiple catch blocks. Each catch block should contain a separate exception handler. Thus, if we need to perform different tasks for the occurrence of different exceptions then we need to use java multiple catch blocks.

Every catch block should be ordered from the most particular to the most generic like catch for the NumberFormatException class must come before the catch for the Exception class.

Thus, the order in which the catch blocks are listed matter in case where multiple exceptions are caught in the same try statement and some of them are related through inheritance.

using Matlab programming I need to rotate the line defined by x,y by 45 degrees around 2,2

x= 2,4,6,8,10
y= 2,4,6,8,10

Answers

Answer:

% here x and y is given which we can take as

x = 2:2:10;

y = 2:2:10;

% creating a matrix of the points

point_matrix = [x;y];

%  center point of rotation  which is 2,2 here

x_center_pt = x(2);

y_center_pt = y(2);

% creating a matrix of the center point

center_matrix = repmat([x_center_pt; y_center_pt], 1, length(x));

% rotation matrix with rotation degree which is 45 degree

rot_degree = pi/4;      

Rotate_matrix = [cos(rot_degree) -sin(rot_degree); sin(rot_degree) cos(rot_degree)];

% shifting points  for the center of rotation to be at the origin

new_matrix = point_matrix - center_matrix;  

% appling rotation  

new_matrix1 = Rotate_matrix*new_matrix;          

Explanation:

We start the program by taking vector of the point given to us and create a matrix by adding a scaler to each units with repmat at te center point which is (2,2). Then we find the rotation matrix by taking the roatational degree which is 45 given to us. After that we shift the points to the origin and then apply rotation ans store it in a new matrix called new_matrix1.

Random access iterators are ____ iterators that can randomly process elements of a container.

A.
input

B.
forward

C.
bidirectional

Answers

Answer:

C. Bidirectional

Explanation:

If we want to access elements at an any random offset position then we can use random access iterators.They use the functionality 'as relative to the element they point to' like pointers.Random access iterators are Bidirectional iterators that can randomly process elements,pointer types are also random-access iterators.

Do the following SQL questions. The resulting columns must all have descriptive names. You must show the result of the query. For example, if the query is:

Show the office id, the city, and the region
Your query should be:
select office, city, region

Answers

Answer:

We can use CREATE command to create tables with columns having descriptive names

Explanation:

Firstly, create a table using CREATE  command in SQL. The syntax is as follows:

CREATE TABLE [table_name]

(

 [col_name] [datatype]),

[col_name] [datatype]),

[col_name] [datatype]),

[col_name] [datatype])

)

Once the table is created, we can insert the data into table using INSERT command. It's syntax is as follows:

INSERT INTO table_name VALUES('', '', '')

if datatype is string, values must be entered within single quotes. If datatype is int, values are entered directly without using  quotes.

Now, you can select the data from  the table using SELECT command. It's syntax is as follows:

SELECT column-list FROM table_name

If you want to filter rows according to conditions, you can use WHERE command.

I have created  sample table and inserted some data into it. Now, I applied some queries on it to select data from the table.

I have written in a text file and attached the same. Please find. Thank you!

What is variable hoisting in JavaScript? Provide examples.

Answers

Answer:

before executing a code using javascript hoisting we can move any variable declaration to the top of the scope in a code.

Explanation:

It is to be remembered that hoisting works with declaration not with initialization.

example:

//initializing a variable s

var s = 2;

t = 4

elem.innerHTML = s + " " + t;           // Display s and t values

// initializing a variable for hoisting

var t;

Create an application program that will compute theradius and circumference of a circle. Write a Main class withHelper methods to prompt for and input the radius of acircle(getRadius), calculate thecircumference(calcCirc), and calculate thearea(calcArea) of a circle. Define the radius,area, and circumference in main which will call each calc method,passing radius to each one. Assume PI = 3.14159 or use theMath.PI builtin constant. Format theoutput to show two decimal places in the calculatedvalues.

Answers

Final answer:

An application to compute the radius and circumference of a circle requires creating a Main class with methods to input radius, calculate circumference, and area, formatting results to two decimal places using Math.PI.

Explanation:

To create an application that calculates the radius and circumference of a circle, you will need to define methods within your Main class. The getRadius method will prompt the user for input, calcCirc for calculating the circumference using the formula C = 2 * PI * r, and calcArea for calculating the area with A = PI * r * r. You should use the Math.PI constant for PI, and ensure all results are formatted to two decimal places.

Sample code structure in Java:

public class Main {
   public static void main(String[] args) {
       double radius = getRadius(); // prompts user and gets radius
       double circumference = calcCirc(radius);
       double area = calcArea(radius);
       System.out.printf("Radius: %.2f\n", radius);
       System.out.printf("Circumference: %.2f\n", circumference);
       System.out.printf("Area: %.2f\n", area);
   }
   // Helper methods here
}

Ensure that you correctly use double data types for storing the input from the user, as well as the calculated values, since these can include decimal points.

Some data files should be totally hidden from view, while others should have ____ so users can view, but not change, the data.
Answer
no-access properties
read-only properties
full-access properties
write-only properties

Answers

Answer:

read-only properties.

Explanation:

Only the read only properties can view but cannot change the data.The user don't have access to the no access properties, full-access properties can read and modify the data.The write only properties can only modify the data.So to only view the data the data should have read only properties.

____ refers to the order in which values are used with operators.

a.
Floating

b.
Associativity

c.
Declaration

d.
Initialization

Answers

Answer:

b. Associativity

Explanation:

Associativity specifies the order in which operators are processed vis a vis operands/values in an expression. For example: Consider the expression: a + b + c. Here a + b is evaluated first before adding the result with c as the '+' operator is left associative. The default associativity can also be overridden by the use of parentheses. For example a + (b + c) . In this case b+c will be evaluated first.

Write a program that converts temperatures in the Celsius scale to temperatures in the Fahrenheit scale. Your program should ask the user to supply the Celsius temperature, and convert the temperature entered to degrees Fahrenheit using the formula Fahrenheit = 1.8 * Celsius + 32. It should then display the Fahrenheit temperature.

Answers

Answer:

#include <iostream>

using namespace std;

int main()

{

   float celsius;

  cout<<"Enter the temperature in Celsius: ";

  cin>>celsius;

 

  float Fahrenheit  = 1.8 * celsius + 32;

  cout<<"The temperature in Fahrenheit  is: "<<Fahrenheit<<endl;

}

Explanation:

first include the library iostream in the c++ programming.

Then, create the main function and declare the variable celsius.

cout is used to print the message on the screen.

cin is used to store the user enter value in the variable.

then, apply the formula for calculating the temperature in Fahrenheit

and store the result in the variable.

Finally, print the result.

Write a python function c that converts bitstring array back to an integer numpy array

Answers

Answer:

import numpy as np#importing numpy module with an alias np.

def c(bitstring_array):# defining function c.

   num_integer=bitstring_array.dot(2**np.arange(bitstring_array.size)[::-1])#bitstring conversion.

   return num_integer#returning integer array.

print("Enter bits")

Bit_l=input().split(" ")#enter space separated bitstring.

for i in range(len(Bit_l)):#iterating over the bitstring.

   Bit_l[i]=int(Bit_l[i])

bitstring_array=np.array(Bit_l)

print(c(bitstring_array))#function call.

Output:

Enter bits

1 1 1 0 0 1

57

What is DATE data type and its syntax and what is TIMESTAMP data type and its syntax in SQL language.Explain the difference between both of them .

Answers

Answer: The DATE datatype give us the particular date whereas TIMESTAMP gives us the date as well as the time as the particular moment.

Explanation:

DATE datatype gives us the date in the format yyyy-mm-dd. The timestamp format is yyyy-mm-dd hh:mm:ss. time stamp are of two types :

timestamp with time zone and timestamp without time zone.

Date is the date on that particular day whereas the timestamp is the date along with the specific time when the query is executed.

Other Questions
Use the elimination method to solve the system of equations. Choose thecorrect ordered pair,2y = x + 2x - 3y = -5 Horse Country Living publishes a monthly magazine for which a 12-month subscription costs $30. All subscriptions require payment of the full $30 in advance. On August 1, the balance in the Subscriptions Received in Advance account was $40,500. During the month of August, the company sold 900 yearly subscriptions. After the adjusting entry at the end of August, the balance in the Subscriptions Received in Advance account is $60,000.Required1)Identify and analyze the transaction to record the sale of the 900 yearly subscriptions during the month of August2)Identify and adjust the sale on August 313)Assume that the accountant made the correct entry during August to record the sale of the 900 subscriptions but forgot to make the adjustments on August 31. Would net income for August be overstated or understated? Explain your answer All the read/write heads a hard disk are controlled by a(n) ____ which moves the read/write heads across the disk surfaces in unison. a. controller c. formatter b. actuator d. processor Barney is the owner and insured of a $200,000 life insurance policy. Upon learning that he has a terminal illness, he sells the policy to a third party for $140,000, and the third party becomes the owner and beneficiary of the policy. Barney entered into what type of arrangement? a. life endowment b. accelerated death benefit arrangement c. qualified policy surrender d. viatical settlement Instructions:Type the correct answer in each box. Use numerals instead of words. If necessary, use / for the fraction bar(s). The native bird population in a city is decreasing at a rate of 10% per year due to industrialization of the area by humans. The population of native birds was 14,000 before the decrease began. Complete the recursively-defined function to describe this situation. f(1) = f(n) = f(n - 1) , for n 2 After 3 years, birds will remain. How is the range of a data set determined? A. Sum of the data divided by the number of data points. B. It is all real numbers. C. Largest value plus the smallest value, divided by 2D. Largest value minus the smallest value. It is appropriate to use the following yield or failure criterion for ductile materials (a) Maximum shear stress or Tresca criterion; b) Distortion energy or von Mises criterion; (c) Mohr-Coulomb criterion; (d) Any of the above Which of the following choices is NOT part of the central nervous system? a. brain b. cranial nerves c. spinal cord d. All are part of the central nervous system. The heater element of a particular 120-V toaster is a 8.9-m length of nichrome wire, whose diameter is 0.86 mm. The resistivity of nichrome at the operating temperature of the toaster is 1.3 10-6 m. If the toaster is operated at a voltage of 120 V, how much power does it draw What fraction of an hour is 33 minuets in the simplest form A car driving at an initial speed of 10.0 m/s accelerates on a straight road at 3.00 m/s^2. a) what is the speed of the car after one quarter of a mile? (1 mile =1.609km). B) the driver in part A slams on the brakes after reaching the quarter mile. If the car can decelerate at a rate of 4.50 m/s^2, what is the stopping distance of the car? A 4cm cube is cut into 1 CM cubes. what is the percentage increase in the surface area after such cutting? Find the coordinates of P so that P partitions the segment AB in the ratio 1:3 if A(5,8) and B(1,4). A. (3.5, 7) B. (-6.5, -9) C. (-4, -6) D. (-1.5, -1) Find an ordered pair to represent t in the equation t=1/2u+v if u=(-1,4) and v=(3,-2) Carry out an energy minimization to calculate the relative steric energies or heats of formation of three of the ten possible isomeric dibenzalacetones A baseball pitcher throws the ball in a motion where there is rotation of the forearm about the elbow joint as well as other movements. If the linear velocity of the ball relative to the elbow joint is 17.117.1 m/s at a distance of 0.4700.470 m from the joint and the moment of inertia of the forearm is 0.5500.550 kgm2, what is the rotational kinetic energy of the forearm? How is greece's natural vegetation similar to that of other mediterranean countries? Find the area and the circumference of a circle with radius 3 m. Use the value 3.14 for , and do not round your answers. Be sure to include the correct units in your answers. What is a key problem with counties in Texas? Many of them are too small and underpopulated to function well. County laws were made in the twentieth century, making them too old-fashioned. The lack of diversity when it comes to counties. Too often the county seats cannot be reached in a days drive. one line segment is 5 cm more than four times the length of another the difference in their lengths is 35cm how long are they