Write a method called printRangeOfNumbers that accepts a minimum, maximum numbers as parameters and prints each number from minimum up to that maximum, inclusive, boxed by curly brackets. For example, consider the following method calls:

Answers

Answer 1

Answer:

The method in python is as follows:

class myClass:

    def printRange(min,max):

         for i in range(min, max+1):

              print("{"+str(i)+"} ", end = '')

           

Explanation:

This line declares the class

class myClass:

This line defines the method

    def printRange(min,max):

This line iterates from min to max

         for i in range(min, max+1):

This line prints the output in its required format

              print("{"+str(i)+"} ", end = '')


Related Questions

Which transition level is designed to begin the process of public participation?
A. Level 1: Monitor
B. Level 2: Command
C. Level 3: Coordinate
D. Level 4: Cooperate
E. Level 5: Collaborate

Answers

D level 4:Cooperate hope this helps

What does lurch mean

Answers

Answer:

lurch means make an abrupt, unsteady, uncontrolled movement or series of movements; stagger.

Answer:

uncontrolled movement or series of movements

Explanation:

which of the following uses technical and artistic skills to create visual products that communicate information to an audience? ○computer engineer ○typography ○computer animator ○graphic designer​

Answers

Answer:

grafic desiner

Explanation:

just a guess lol

Answer:

I don't know...

Explanation:

D

Write an expression that will cause the following code to print "Equal" if the value of sensorReading is "close enough" to targetValue. Otherwise, print "Not equal". Hint: Use epsilon value 0.0001. Ex: If targetValue is 0.3333 and sensorReading is (1.0/3.0), output is: Equal

Answers

Answer:

The expression that does the comparison is:

if abs(targetValue - sensorReading) < 0.0001:

See explanation section for full source file (written in Python) and further explanation

Explanation:

This line imports math module

import math

This line prompts user for sensor reading

sensorReading = float(input("Sensor Reading: ")

This line prompts user for target value

targetValue = float(input("Target Value: ")

This line compares both inputs

if abs(targetValue - sensorReading) < 0.0001:

   print("Equal") This is executed if both inputs are close enough

else:

   print("Not Equal") This is executed if otherwise

The expression that will cause the following code to print "Equal" if the value of sensorReading is "close enough" to targetValue and print "Not equal" if otherwise is as follows;

sensorReading = float(input("write your sensor reading: "))

targetValue = float(input("write your target value: "))

if abs(sensorReading - targetValue) < 0.0001:

  print("Equal")

else:

  print("not Equal")

The code is written in python.

Code explanationThe variable sensorReading  is used to store the user's inputted sensor reading.The variable targetValue is used to store the user's inputted target value.If the difference of the sensorReading and the targetValue is less than 0.0001. Then we print "Equal"Otherwise it prints "not Equal"

learn more on python code here; https://brainly.com/question/14634674?referrer=searchResults

In this exercise you will debug the code which has been provided in the starter file. The code is intended to take two strings, s1 and s2 followed by a whole number, n, as inputs from the user, then print a string made up of the first n letters of s1 and the last n letters of s2. Your job is to fix the errors in the code so it performs as expected (see the sample run for an example).
Sample run
Enter first string
sausage
Enter second string
races
Enter number of letters from each word
3
sauces
Note: you are not expected to make your code work when n is bigger than the length of either string.
1 import java.util.Scanner;
2
3 public class 02_14_Activity_one {
4 public static void main(String[] args) {
5
6 Scanner scan = Scanner(System.in);
7
8 //Get first string
9 System.out.println("Enter first string");
10 String s1 = nextLine(); 1
11
12 //Get second string
13 System.out.println("Enter second string");
14 String s2 = Scanner.nextLine();
15
16 //Get number of letters to use from each string
17 System.out.println("Enter number of letters from each word");
18 String n = scan.nextLine();
19
20 //Print start of first string and end of second string
21 System.out.println(s1.substring(1,n-1) + s2.substring(s1.length()-n));
22
23
24 }

Answers

Answer:

Here is the corrected program:

import java.util.Scanner; //to accept input from user

public class 02_14_Activity_one { //class name

    public static void main(String[] args) { //start of main method

    Scanner scan = new Scanner(System.in); //creates Scanner class object

  System.out.println("Enter first string"); //prompts user to enter first string

          String s1 = scan.nextLine(); //reads input string from user

  System.out.println("Enter second string"); //prompts user to enter second string

          String s2 = scan.nextLine(); //reads second input string from user

    System.out.println("Enter number of letters from each word"); //enter n

          int n = scan.nextInt(); //reads value of integer n from user

          System.out.println(s1.substring(0,n) + s2.substring(s2.length() - n ));

         } } //uses substring method to print a string made up of the first n letters of s1 and the last n letters of s2.

Explanation:

The errors were:

1.

Scanner scan = Scanner(System.in);

Here new keyword is missing to create object scan of Scanner class.

Corrected statement:

 Scanner scan = new Scanner(System.in);

2.

String s1 = nextLine();  

Here object scan is missing to call nextLine() method of class Scanner

Corrected statement:

String s1 = scan.nextLine();

3.

String s2 = Scanner.nextLine();

Here class is used instead of its object scan to access the method nextLine

Corrected statement:

String s2 = scan.nextLine();

4.

String n = scan.nextLine();

Here n is of type String but n is a whole number so it should be of type int. Also the method nextInt will be used to scan and accept an integer value

Corrected statement:

int n = scan.nextInt();

5.

System.out.println(s1.substring(1,n-1) + s2.substring(s1.length()-n));

This statement is also not correct

Corrected statement:

System.out.println(s1.substring(0,n) + s2.substring(s2.length() - n ));

This works as follows:

s1.substring(0,n) uses substring method to return a new string that is a substring of this s1. The substring begins at the 0th index of s1 and extends to the character at index n.

s2.substring(s2.length() - n ) uses substring method to return a new string that is a substring of this s2. The substring then uses length() method to get the length of s2 and subtracts integer n from it and thus returns the last n characters of s2.

The screenshot of program along with its output is attached.

Consider the two lists A and B. List A is an anagram of list B if the following two conditions are true: 1.list A and list B have the same number of elements 2.each element of list A occurs the same number of times in list A and list BFor example, [3, 2, 4, 1, 2] and [2, 2, 3, 1, 4] are anagram of each other, but [2, 3, 1, 2] and [1, 3, 1, 2] are not. Write a function named isAnagram that takes two lists of integers as parameters: lstA and lstB. The function isAnagram should return the bool value True if lstA is an anagram of lstB and False otherwise. The following is an example of correct output: >>> print(isAnagram([14, 10, 19], [10, 14, 19]))True

Answers

Answer:

cdacaddacdbbbbbacddebb

Explanation:

Question 8 (3 points) Which of the following is an external factor that affects the price of a product? Choose the answer.
sales salaries
marketing strategy
competition
production cost​

Answers

Answer: tax

Explanation: could effect the cost of items because the tax makes the price higher

oh sorry i did not see the whole question

this is the wrong awnser

Answer is competition

(d) Assume charArray is a character array with 20 elements stored in memory and its starting memory address is in $t5. What is the memory address for element charArray[5]?

Answers

Answer:

$t5 + 5

Explanation:

Given that ;

A character array defines as :

charArray

Number of elements in charArray = 20

Starting memory address is in $t5

The memory address for element charArray[5]

Memory address for charArray[5] will be :

Starting memory address + 5 :

$t5 + 5

Which query is used to list a unique value for V_CODE, where the list will produce only a list of those values that are different from one another?

a. SELECT ONLY V_CODE FROM PRODUCT;
b. SELECT UNIQUE V_CODE FROM PRODUCT;
c. SELECT DIFFERENT V_CODE FROM PRODUCT;
d. SELECT DISTINCT V_CODE FROM PRODUCT;

Answers

Answer:

d. SELECT DISTINCT V_CODE FROM PRODUCT;

Explanation:

The query basically lists a unique value for V_CODE from PRODUCT table.

Option a is incorrect because it uses ONLY keyword which does not use to list a unique value for V_CODE. Instead ONLY keyword is used to restrict the tables used in a query if the tables participate in table inheritance.

Option b is incorrect because it is a constraint that ensures that all values in a column are unique.

Option c is incorrect because DIFFERENT is not a keyword

Option d is correct because the query uses SELECT statement and DISTINCT is used to select only distinct or different values for V_CODE.

The query that should be used for a unique value is option d.

The following information should be considered:

The query listed the unique value for V_CODE arise from the PRODUCT table.Option A is wrong as it used ONLY keyword that does not represent the unique value. Option B is wrong as it is constraint where the columns values are considered to be unique.Option C is wrong as DIFFERENT does not represent the keyword. Option D is right as query applied SELECT and DISTINCT that represent different values.

Therefore we can conclude that the correct option is D.

Learn more: brainly.com/question/22701930

How does a computer interact with its environment? How is data transferred on a real computer from one hardware part to another? Describe the importance of the human interaction in the computing system.

Answers

Answer:

Explanation:

A computer system can interact with its environment using hardware that does so such as cameras, robotic arms, thermometers, smart devices etc. These hardware devices gather information from the environment and transfer it to the computer system in a format known as bits through binary electrical impulses. If the system is designed to be autonomous then the only human interaction needed would be the initial setup of the system and its hardware, once this is done the system does not need any more human interaction as long as nothing breaks.

What is the main purpose of software imaging?

a. to make compressed copies of complete systems
b. managing the project shift
c. photo distortion
d. software pirating​

Answers

A is the answer for your question

Plz help ASAP

Where are fiber optic cables often used?

A. To connect LANs inside your home

B. To support wireless access points (WAP)

C. To enable near field communications

D. To connect networks that are far apart of that have high data volumes.

Answers

Answer:

D

Explanation:

fiber optic cables are generally used by isps which is why they call their internet fiber optic

How is actual cost calculated?

Please answer

Answers

Answer:

One method of calculating product costs for a business is called the actual costs/actual output method. Using this technique, you take your actual costs — which may have been higher or lower than the budgeted costs for the year — and divide by the actual output for the year.

Explanation:

Choose the word to make the sentence true. The ____ function is used to display the program's output.

O input
O output
O display

Answers

The output function is used to display the program's output.

Explanation:

As far as I know this must be the answer. As tge output devices such as Monitor and Speaker displays the output processed.

The display function is used to display the program's output. The correct option is C.

What is display function?

Display Function Usage displays a list of function identifiers. It can also be used to display detailed usage information about a specific function, such as a list of user profiles with the function's specific usage information.

The displayed values include the prefix, measuring unit, and required decimal places.

Push buttons can be used to select functions such as summation, minimum and maximum value output, and tare. A variety of user inputs are available.

A display is a device that displays visual information. The primary goal of any display technology is to make information sharing easier. The display function is used to display the output of the program.

Thus, the correct option is C.

For more details regarding display function, visit:

https://brainly.com/question/29216888

#SPJ5

Which error produces incorrect results but does not prevent the program from running? a. syntax b. logic c. grammatical d. human e. None of the above

Answers

Answer:

Logic Error

Explanation:

I'll answer the question with the following code segment.

Program to print the smallest of two integers (written in Python)

num1 = int(input("Num 1: "))

num2 = int(input("Num 2: "))

if num1 < num2:

  print(num2)

else:

  print(num1)

The above program contains logic error and instead will display the largest of the two integers

The correct logic is

if num1 < num2:

  print(num1)

else:

  print(num2)

However, the program will run successfully without errors

Such errors are called logic errors

Write two statements to read in values for my_city followed by my_state. Do not provide a prompt. Assign log_entry with current_time, my_city, and my_state. Values should be separated by a space. Sample output for given program if my_city is Houston and my_state is Texas: 2014-07-26 02:12:18: Houston Texas Note: Do not write a prompt for the input values. 1 current_time = '2014-07-26 02:12:18:' 2 my_city = "' 3 my_state = "" 4 log_entry - "' 1 test passed 6 print(log_entry) All tests passed Run Run

Answers

Answer:

Here is the program:

current_time = '2014-07-26 02:12:18:'  

my_city = ''

my_state = ''

log_entry = ''

 

my_city = input("")   #reads in value for my_city

my_state = input("")  #reads in value for my_state

log_entry = current_time + ' ' + my_city + ' ' + my_state   #concatenates current_time, my_city and my_state values with ' ' empty space between them

 

print(log_entry)

Explanation:

You can also replace

log_entry = current_time + ' ' + my_city + ' ' + my_state  

with

log_entry = f'{current_time} {my_city} {my_state}'

it uses f-strings to format the strings

If you want to hard code the values for my_city and my_state then you can replace the above

my_city = input("")

my_state = input("")

with

my_city = "Houston"

my_state = "Texas"

but if you want to read these values at the console from user then use the input() method.

The screenshot of the program along with the output is attached.

In this exercise we have to use the knowledge of the python language to write the code, so we have to:

The code is in the attached photo.

So to make it easier the code can be found at:

current_time = '2014-07-26 02:12:18:'

my_city = ''

my_state = ''

log_entry = ''

my_city = input("")   #reads in value for my_city

my_state = input("")  #reads in value for my_state

log_entry = current_time + ' ' + my_city + ' ' + my_state   #concatenates current_time, my_city and my_state values with ' ' empty space between themlog_entry = current_time + ' ' + my_city + ' ' + my_state

log_entry = f'{current_time} {my_city} {my_state}'

my_city = input("")

my_state = input("")

my_city = "Houston"

my_state = "Texas"

See more about python at brainly.com/question/26104476

Explain why it is not necessary for a program to be completely free of defects before it is delivered to its customers?

Answers

Answer:

Testing is done to show that a program is capable of performing all of its functions and also it is done to detect defects.

It is not always possible to deliver a 100 percent defect free program

A program should not be completely free of all defects before they are delivered if:

1. The remaining defects are not really something that can be taken as serious that may cause the system to be corrupt

2. The remaining defects are recoverable and there is an available recovery function that would bring about minimum disruption when in use.

3. The benefits to the customer are more than the issues that may come up as a result of the remaining defects in the system.

After a chart has been inserted and formatted, is it possible to change the data range it refers to or to add new rows of data?

A:No, additional data cannot be included in a chart once it has been created; the user should delete the chart and create a new chart.
B:Yes, click the Select Data button in the Data group under the Design tab to extend or reduce the data range.
C:Yes, click the chart, select the additional rows or columns of data to add, and press Enter on the keyboard.
D:Yes, double-click the chart and select Properties from the list; in the Properties box, insert the new data range to include in the chart.

Answers

Answer:

b) Yes, click on the Select Data button in the Data group under the Design tab to extend or reduce the data range.

Explanation:

The correct answer is b. Data ranges included in a chart frequently need to change to include more rows or columns. Extend or reduce the range quickly by using the Select Data Source dialogue box to revise the data range. :)

Answer:

ITS B

Explanation:

edge2021

Write a program that computes and display the n! for any n in the range1...100​

Answers

Answer:

const BigNumber = require('bignumber.js');

var f = new BigNumber("1");

for (let i=1; i <= 100; i++) {

 f = f.times(i);

 console.log(`${i}! = ${f.toFixed()}`);

}

Explanation:

Above is a solution in javascript. You will need a bignumber library to display the numbers in full precision.

Write a function called matches that takes two int arrays and their respective sizes, and returns the number of consecutive values that match between the two arrays starting at index 0. Suppose the two arrays are {3, 2, 5, 6, 1, 3} and {3, 2, 5, 2, 6, 1, 3} then the function should return 3 since the consecutive matches are for values 3, 2, and 5.

Answers

Answer:

Written in C++

int matches(int arr1[], int arr2[], int k) {

   int count = 0;

   int length = k;

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

       if(arr1[i] == arr2[i])         {

           count++;

       }

   }

   return count;

}

Explanation:

This line defines the function

int matches(int arr1[], int arr2[], int k) {

This line initializes count to 0

   int count = 0;

This line initializes length to k

   int length = k;

This line iterates through the array

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

The following if statement checks for matches

       if(arr1[i] == arr2[i])         {

           count++;

       }

   }

This returns the number of matches

   return count;

}

See attachment for complete program

Using the drop-down menus, correctly complete the sentences.
A(n)_____
is a set of step-by-step instructions that tell a computer exactly what to do.
The first step in creating a computer program is defining a(n)_____
the next step is creating a(n)______
problem that can be solved by a computer program.
A person writing a computer program is called a(n)
DONE

Answers

Wait I know u still need the answer or not anymore

Answer:

I'm pretty sure these are right:

1. algorithm

2. problem

3. math

4. computer programmer

The reading element punctuation relates to the ability to

pause or stop while reading.

emphasize important words.

read quickly yet accurately.

understand word definitions.

Answers

Answer:

A

Explanation:

Punctations are a pause or halt in sentences. the first one is the answer so do not mind the explanation.

semi colons, colons, periods, exclamation points, and question Mark's halt the sentence

most commas act as a pause

Answer: (A) pause or stop while reading.

Explanation:

Write a function that takes in a sequence s and a function fn and returns a dictionary. The values of the dictionary are lists of elements from s. Each element e in a list should be constructed such that fn(e) is the same for all elements in that list. Finally, the key for each value should be fn(e)
def group_by(s, fn):
""" >>> group_by([12, 23, 14, 45], lambda p: p // 10)
{1: [12, 14], 2: [23], 4: [45]}
>>> group_by(range(-3, 4), lambda x: x * x)
{0: [0], 1: [-1, 1], 4: [-2, 2], 9: [-3, 3]}
"""
Use Python

Answers

Answer:

Here is the Python function:

def group_by(s, fn):  #method definition

    group = {}  #dictionary

    for e in s:  #for each element from s

         key = fn(e)  #set key to fn(e)

         if key in group:  #if key is in dictionary group

              group[key].append(e)  #append e to the group[key]

         else:  #if key is not in group

              group[key] = [e]  #set group[key] to [e]

    return group #returns dictionary group

Explanation:

To check the working of the above function call the function by passing a sequence and a function and use print function to display the results produced by the function:

print(group_by([12, 23, 14, 45], lambda p: p // 10))

print(group_by(range(-3, 4), lambda x: x * x))

function group_by takes in a sequence s and a function fn as parameters. It then creates an empty dictionary group. The values of the dictionary are lists of elements from s. Each element e in a list is constructed such that fn(e) is the same for all elements in that list. Finally, the key for each value is fn(e). The function returns a dictionary. The screenshot of the program along with its output is attached.

How could these same commands be used on a computer or network operating system?

Answers

Answer:

To manipulate data into information

This assignment requires you to write a program to analyze a web page HTML file. Your program will read one character at a time from the file specifying the web page, count various attributes in the code for the page, and print a report to the console window giving information about the coding of the page.
Note that a search engine like Google uses at least one technique along similar lines. To calculate how popular (frequently visited or cited) a web page is, one technique is to look at as many other worldwide web pages as possible which are relevant, and count how many links the world's web pages contain back to the target page.
Learning Objectives
To utilize looping structures for the first time in a C++ program
To develop more sophisticated control structures using a combination of selection and looping
To read data from an input file
To gain more experience using manipulators to format output in C++
To consider examples of very simple hypertext markup language (HTML)
Use UNIX commands to obtain the text data files and be able to read from them
Problem Statement
Your program will analyze a few things about the way in which a web page is encoded. The program will ask the user for the name of a file containing a web page description. This input file must be stored in the correct folder with your program files, as discussed in class, and it must be encoded using hypertext markup language, or HTML. The analysis requires that you find the values of the following items for the page:
number of lines (every line ends with the EOLN marker; there will be an EOLN in front of the EOF)
number of tags (includes links and comments)
number of links
number of comments in the file
number of characters in the file (note that blanks and EOLNs do count)
number of characters inside tags
percentage of characters which occur inside tags, out of the total
Here is an example of a very simple HTML file:

Course Web Page
This course is about programming in C++.
Click here You may assume that the HTML files you must analyze use a very limited subset of basic HTML, which includes only the following "special" items: tag always starts with '<' and ends with > link always starts with " comment always starts with "" You may assume that a less-than symbol (<) ALWAYS indicates the start of a tag. A tag in HTML denotes an item that is not displayed on the web page, and often gives instructions to the web browser. For example, indicates that the next item is the overall title of the document, and indicates the end of that section. In tags, both upper and lowercase letters can be used. Note on links and comments: to identify a link, you may just look for an 'a' or 'A' which occurs just after a '<'. To identify a comment, you may just look for a '!' which follows just after a '' (that is, you do not have to check for the two hyphens). You may assume that these are the only HTML language elements you need to recognize, and that the HTML files you process contain absolutely no HTML syntax errors. Note: it is both good style because readability is increased, and convenient, to declare named constants for characters that are meaningful, for example const char TAG OPEN = ' Sample Input Files Program input is to be read from a text file. Your program must ask the user for interactive input of the file name. You can declare a variable to store the file name and read the user's response Miscellaneous Tips and Information You should not read the file more than once to perform the analysis. Reading the file more than once is very inefficient. The simplest, most reliable and consistent way to check for an end of file condition on a loop is by checking for the fail state, as shown in lectures. The eof function is not as reliable or consistent and is simply deemed "flaky" by many programmers as it can behave inconsistently for different input files and on different platforms. You may use only while loops on this project if you wish; you are not required to choose amongst while, do while and/or for loops until project 4 and all projects thereafter. Do not create any functions other than main() for this program. Do not use data structures such as arrays. You may only have ONE return statement and NO exit statements in your code. You may only use break statements inside a switch statement in the manner demonstrated in class; do not use break or continue statements inside loops. #include // used for interactive console I/O #include // used to format output #include // used to retrieve data from file #include // used to convert data to uppercase to simplify comparisons #include 11 for string class functions int main() { 1 //constants for analysing HTML attributes const char EOLN = '\n'; const char COMMENT_MARK = '!'; const char LINK='A'; //constants to format the output const int PAGEWIDTH = 70; const char UNDERLINE = '='; const char SPACE = const int PCT_WIDTH = 5; const int PCT_PRECISION = 2;

Answers

Answer:

bro it is a question what is this

Explanation:

please follow me

What is the output, if userVal is 5? int x; x = 100; if (userVal != 0) { int tmpVal; tmpVal = x / userVal; System.out.print(tmpVal); }

Answers

Answer:

The output is 20

Explanation:

This line divides the value of x by userVal

tmpVal = x / userVal;

i.e.

tmpVal = 100/5

tmpVal = 20

This line then prints the value of tmpVal

System.out.print(tmpVal);

i.e 20

Hence, The output is 20

To prevent any unnecessary injuries to small adults and the elderly from a deploying airbag, these


individuals should


as possible.


A. position their seats as far forward


B. position their seats as far back


c. recline their seats as far back


D. none of the above

Answers

Answer:

B. position their seats as far back

Explanation:

An airbag can be defined as a vehicle safety device (bag) that is designed to be inflated and eventually deflated in an extremely rapid or quick manner during an accident or collision.

Basically, an airbag refers to an occupant-restraint safety device installed on vehicles to protect both the driver and front-seat passenger in the event of an accident or collision. An airbag typically comprises of an impact sensor, flexible fabric bag, airbag cushion and an inflation module.

In order to prevent any unnecessary injuries to small adults and the elderly from a deploying airbag, these individuals should position their seats as far back as possible. This ultimately implies that, both the driver and the front-seat passenger are advised not to position too close to the dashboard; the seats should be as far back as possible.

What decides the amount of delay between shots on a digital camera?

Answers

Answer:

Some cameras have something called “shutter lag” which is the time it takes from the instant the shutter is pressed, until the instant the picture is taken. This can be very disruptive to the photographer, and although it is not possible to eliminate this delay, it is possible to minimize it a lot.

Explanation:

One of the main causes of shutter lag in dSLR cameras is the mirror that allows you to preview the image, since it needs to be raised in order for the light to reach the sensor. This time is minimal, however, and varies from camera to camera.

The focus delay exists in professional cameras as well and needs to be avoided in the same way, but the time it takes for the lens to clear the image, in these cases, is slightly less. Another factor that contributes to the photographer is the use of manual focus, completely eliminating this type of shutter lag.

Another type of delay that occurs is the image processing time by the sensor. This is not really a shutter lag, since it occurs after the photo was taken, but it can hinder the capture of sequential photos, as many cameras spend several seconds processing the same image.

Which situation best illustrates how traditional economies meet their citizens needs for employment and income

APEX!!

A. A parent teaches a child to farm using centuries old techniques.
B. A religious organization selects a young person to become a priest
C. A government agency assigns a laborer a job working in a factory
D. A corporation hires an engineer who has just graduated from college

Answers

The situation that best show how traditional economies meet their citizens needs for employment and income  is that a parent teaches a child to farm using centuries old techniques.

What is a traditional economy about?

A traditional economy is known to be a type of system that depends on customs, history, and time framed/honored beliefs.

Tradition is know to be the guide that help in economic decisions such as production and distribution. Regions with traditional economies are known to depend on agriculture, fishing, hunting, etc.

Learn more about  traditional economies from

https://brainly.com/question/620306

Documents files should be saved as a _____ file

Answers

Answer:

PDF

Explanation:

Other Questions
the ratio of berries to oranges is 10:1 if there are 25 oranges, how many berries are there? Put these events in order. Write the letters in the orderthat the events happened.a. River valley civilizations emerge.1.b. Farming begins in Southwest Asia. 2.c. The Bronze Age begins.3.d. The Neolithic Age ends.4.fronthrethatabcyoucorundList four characteristics shared by early river valleycivilizations.5.6.7.8. The equation of line q is 5y - 4x = 10. Write an equation of the line that is perpendicular to q and passes through the point (-15, 8) Todos los domingos, nosotros __1____ (almorzar) en el restaurante de mi tio. Despus, mis abuelos __2__ (escuhar) musica. Mi padre _3__ (mirar) la televisin y mi madre __4__ (leer) un libro. Mis hermanos __5_ (jugar) al ftbol y yo _6___ (escribir) correos electrnicos. Este domingo yo _7__ (querer) hacer otra cosa ms divertida.Que __8_ (hacer) tu y tu familia los domingos?-AlejandroFill in the blanks What types of environmental legislation have been passed in recent years The graph shows the number of quarts picked and the amount of money the customer paid.Part AWhat is the constant of proportionality, and what does it mean in this situation? 2z+3+7z=12i need help Plz help with this question ASAP it would mean a lot!! What kinds of problems might arise if the entire world were to go by the same timezone? Given:b (x) = x2+7xFindB(7) (5.31 x 103) (2.8 x 103) Here are the values of the first 5 terms of 3 sequences: : 30, 40, 50, 60, 70, . . . : 0, 5, 15, 30, 50, . . . : 1, 2, 4, 8, 16, . . . For each sequence, describe a way to produce a new term from the previous term. If the patterns you described continue, which sequence has the second greatest value for the 10th term? Which of these could be geometric sequences? Explain how you know. 5. Tu mejor amigo(a) y t _____(ir) de compras?a. voyb. vasC. vad. vamose. van PLZZZZZZZZZZZZZZZZ HELP ME i begging YOUUUUU !!!!!!!!!!!!!!!!!!!!!!!!!!!What countries sent the First Explorers?Portugal The Portuguese were the first successful explorers because of their guns and seamanship. With their large cannons, their fleet was able to defeat most ships and armies they came across. Beginning in 1520, Portuguese fleets probing south along the western coast of Africa. There, they discovered a new source of gold. For this reason, the southern coast of West Africa became known as the Gold Coast. The explorer Vasco da Gama sailed around the southern tip of Africa, called the Cape of Good Hope, and cut across the Indian Ocean to reach India. After people heard about de Gamas profits, many more Portuguese sailed the same route to India, setting up posts in Africa along the way. Spain Educated Europeans knew the world was round, but they had no idea of how big it was. The Spanish thought that they could find new routes to India and China by sailing west across the Atlantic Ocean. Christopher Columbus persuaded the king and queen of Spain to pay for his voyage sailing west to reach Asia. With his three ships, Columbus reached the islands of Cuba and Hispaniola (which would later become Dominican Republic and Haiti). As he traveled to most islands in the Caribbean, Columbus thought he had reached Asia. This false belief is why the Europeans called the people they found Indians they thought they were in India. Another important explorer for Spain was Ferdinand Magellan. Magellan succeeded in reaching Asia by sailing west across the Atlantic by going around the southern tip of South American and continuing west across the Pacific Ocean. Magellan reached the Philippines in Asia, where he was killed by local natives. However, one of his ships continued on to Spain, and Magellan is given credit as being the first to sail around the entire world. The Spanish and Portuguese began competing for the territories they found in the New World. Eventually they would sign a treaty, agreeing which lands each country would be allowed to take over. The new lands were given the general name America, after the Italian explorer Amerigo Vespucci. After the success of Spain and Portugal in exploring the Americas, the Dutch, the English, and the French began sending expeditions to find new places to trade in the Americas. The European explorations would change life not only for Europeans, but also for the native peoples of South America, North America, and Africans as well.7. In the chart below, list the two European nations that sent the first explorers, which explorers they sent, and what lands they explored. EUROPEAN NATION EXPLORERS LANDS EXPLORED12. What countries began sending ships to the Americas after Spain and Portugal?13. Who would be affected by these expeditions besides Europeans?The following account comes from a sailor aboard the voyage of Magellan, who sailed around the worldWe remained the final three months and twenty days without taking in provisions or other refreshments and ate only old biscuits that had been reduced to powder, full of grub sand stinking from the dirt that the rats had made on it. We drank water that was yellow and stinking. We also ate the ox hides from the main sails which we softened by soaking it in seawater for several days. On our return to Spain, however, the royal family, as well as the people, hailed us as the bravest and most daring sailors the world had ever known. Everyone came to know the voyages of Magellan.14. Explain some problems that Magellans expedition faced: 15. Explain one positive result of Magellans voyage:WRAP-UP QUESTIONS1. What were the reasons why Europeans explorers sailed to unknown parts of the world in the 16th century? 2. What were they hoping to find? Did they find it? Why or Why not? 3. Prediction: What do you think these voyages would mean for people in the Americas? Explain why you think this. Nitrogen fixation is done mostly by.... Now read the essay entitled Why Fahrenheit 451 Will Always Be Terrifying by Jeffrey Somers. Which of these sentences from the article BEST develops a central idea of the article?Your answer:Every few years, political developments cause an uptick in attention being paid toclassic dystopian novels.This plot is often boiled down to a critique of book-burning which still happens or an attack on censorship.In this new age of "fake news" and Internet conspiracy, Fahrenheit 451 is morechilling than ever.HBO's adaptation of Fahrenheit 451 is expected to air in 2018, so it is the perfecttime to re-introduce yourself to the novel or to read it for the first time. A 38-ounce bottle of juice drink contains 6 percent water. Than computed 6 percent of 38. His work is shown below.6 percent of 38 0.6 times 38 = 22.8Which statement explains Thans error?Than did not multiply 0.6 and 38 correctly.Than did not use 0.06 for 6 percent.Than did not move the decimal point three places to the left in the answer.Than did not use 6 for 6 percent. 18. Mi hermana quiere la camiseta. You have a friend who reports that he falls asleep easily around 11 PM but then awakens for about an hour most nights around two or 3 AM he seems near exhausted what would be the traditional exclamation for his problem how much the information contribute by anthropologists change this view? Give the anthropological view what recommendations would you make your friend? Which of the following events happened after the Persian Wars ended?A. Alexander the Great conquered a weakened Persian Empire.B. Xerxes I strengthened the Persian navy to attack the Delian League.C. Persian soldiers burned down Athens in revenge for losing the war.D. Persian provinces were forced to pay taxes to Athens and Sparta. The article also mentioned common personality traits that organizations or associations look for when they are searching for volunteers. These traits include civility, the ability to compromise, persistence, and tolerance for ambiguity. What is it about these traits that illustrates how a person might be successful at participating in a volunteer effort?