Every telecommunication setup uses two devices: one device to transmit data and one device to receive data. Which device transmits frequencies to mobile phones?
towers transmit frequencies to mobile phones.

Answers

Answer 1

Answer:

Cell.

Explanation:

Electromagnetic waves is a propagating medium used in all communications device to transmit data (messages) from the device of the sender to the device of the receiver.

Generally, the most commonly used electromagnetic wave technology in telecommunications is radio waves.

Radio waves can be defined as an electromagnetic wave that has its frequency ranging from 30 GHz to 300 GHz and its wavelength between 1mm and 3000m. Therefore, radio waves are a series of repetitive valleys and peaks that are typically characterized of having the longest wavelength in the electromagnetic spectrum.

Basically, as a result of radio waves having long wavelengths, they are mainly used in long-distance communications such as the carriage and transmission of data.

In the field of telecommunication, all telecommunication setup are designed and developed to make use of two network devices: one device is typically used for the transmission of data while the other device is used to receive data that are sent on the network.

Generally, cell towers are tall poles that are used to transmit frequencies to mobile phones.

Answer 2

Answer:

Cell

Explanation:

plato


Related Questions

Create a class Car, which contains Three data members i.e. carName (of string type), ignition (of bool type), and currentSpeed (of integer type)
 A no-argument constructor to initialize all data members with default values
 A parameterized constructor to initialize all data members with user-defined values
 Three setter functions to set values for all data members individually
 Three getter function to get value of all data members individually
 A member function setSpeed( ) // takes integer argument for setting speed
Derive a class named Convertible that contains
 A data member top (of Boolean type)
 A no-argument constructor to assign default value as “false” to top
 A four argument constructor to assign values to all data-members i.e. carName, ignition, currentSpeed and top.
 A setter to set the top data member up
 A function named show() that displays all data member values of invoking object
Write a main() function that instantiates objects of Convertible class and test the functionality of all its member functions.

Answers

Answer:

Here.

Explanation:

#include <iostream>

#include <string>

using namespace std;

//Create a class Car, which contains • Three data members i.e. carName (of string type), ignition (of bool type), and //currentSpeed (of integer type)

class Car

{

public:

string carName;

bool ignition;

int currentSpeed;

//A no-argument constructor to initialize all data members with default values

//default value of string is "",bool is false,int is 0

Car()

{

carName="";

ignition=false;

currentSpeed=0;

}

//A parameterized constructor to initialize all data members with user-defined values

Car(string name,bool i,int speed)

{

carName=name;

ignition=i;

currentSpeed=speed;

}

//Three setter functions to set values for all data members individually

// Three getter function to get value of all data members individually

void setCarName(string s)

{

carName=s;

}

void setIgnition(bool ig)

{

ignition=ig;

}

void setCurrentSpeed(int speed)

{

currentSpeed=speed;

}

string getCarName()

{

return carName;

}

bool getIgnition()

{

return ignition;

}

int getCurrentSpeed()

{

return currentSpeed;

}

//A member function setSpeed( ) // takes integer argument for setting speed

void setSpeed(int sp1)

{

currentSpeed=sp1;

}

};

//Derive a class named Convertible

class Convertible:public Car

{

//A data member top (of Boolean type)

public:

bool top;

public:

//A no-argument constructor to assign default value as “false” to top

Convertible()

{

top=false;

}

//A four argument constructor to assign values to all data-members i.e. carName, ignition,

//currentSpeed and top.

Convertible(string n,bool i,int s,bool t):Car(n,i,s)

{

carName=n;

ignition=i;

currentSpeed=s;

top=t;

}

// A setter to set the top data member up

void setTop(bool t)

{

top=t;

}

//A function named show() that displays all data member values of invoking object

void show()

{

cout<<"Car name is:"<<carName<<endl;

cout<<"Ignition is: "<<ignition<<endl;

cout<<"Current Speed is :"<<currentSpeed<<endl;

cout<<"Top is:"<<top<<endl;

}

};

//main function

int main()

{

//creating object for Convertible class

Convertible c1("Audi",true,100,true);

c1.show();

c1.setCarName("Benz");

c1.setIgnition(true);

c1.setCurrentSpeed(80);

c1.setTop(true);

c1.show();

cout<<"Car Name is: "<<c1.getCarName()<<endl;

cout<<"Ignition is:"<<c1.getIgnition()<<endl;

cout<<"Current Speed is:"<<c1.getCurrentSpeed()<<endl;

return 0;

}

The following are the program to the given question:

Program Explanation:

Defining the header file.Defining a class "Car", inside the three variables "carName, ignition, and currentSpeed" is declared that are "string, bool, and integer" types.Inside the class, "default and parameterized constructor" and get and set method has defined that set and returns the parameter values.Outside the class, another class "Convertible" (child) is declared that inherit the base class "Car".Inside the child class, "default and parameterized constructor" is defined, which inherits the base class constructor.In the child class parameterized constructor it takes four parameters, in which 3 are inherited from the base class and one is bool type that is "t".In this class, a method "setTop" is defined that sets the "t" variable value and defines a show method that prints the variable values.Outside the class, the Main method is defined that creating the child class object and calling the parameterized constructor and other methods to print its values.

Program:

#include <iostream>//header file

#include <string>

using namespace std;

class Car//defining a class Car

{

//defining a data members

public:

string carName;//defining string variable

bool ignition;//defining bool variable

int currentSpeed;//defining integer variable

Car()//defining default constructor

{

carName="";//initiliaze a space value in string variable

ignition=false;//initiliaze a bool value in bool variable

currentSpeed=0;//initiliaze an integer value into int variable

}

Car(string name,bool i,int speed)//defining parameterized constructor that holds value into the variable

{

carName=name;//holding value in carName variable

ignition=i;//holding value in ignition variable

currentSpeed=speed;//holding value in currentSpeed variable

}

void setCarName(string s)//defining a set method that takes parameter to set value into the variable

{

carName=s;//set value

}

void setIgnition(bool ig)//defining a set method that takes a parameter to set value into the variable

{

ignition=ig;//set value

}

void setCurrentSpeed(int speed)//defining a set method that takes a parameter to set value into the variable

{

currentSpeed=speed;//set value

}

string getCarName()//defining a get method that return input value

{

return carName;//return value

}

bool getIgnition()//defining a get method that return input value

{

return ignition;//return value

}

int getCurrentSpeed()//defining a get method that return input value

{

return currentSpeed;//return value

}

void setSpeed(int sp1)//defining a method setSpeed that holds parameter value

{

currentSpeed=sp1;//hold value in currentSpeed

}

};

class Convertible:public Car//defining a class currentSpeed that inherits Car class

{

public:

bool top;//defining bool variable

public:

Convertible()//defining default constructor

{

top=false;//holing bool value

}

Convertible(string n,bool i,int s,bool t):Car(n,i,s)//defining parameterized constructor Convertible that inherits base class parameterized constructor

{

carName=n;//holding value in string variable

ignition=i;//holding value in bool variable

currentSpeed=s;//holding value in integer variable

top=t;//holding value in bool variable

}

void setTop(bool t)//defining a method setTop that takes parameter to set bool value

{

top=t;//holding bool value

}

void show()//defining show method that prints variable value

{

cout<<"Car name is:"<<carName<<"\n";//prints value

cout<<"Ignition is: "<<ignition<<"\n";//prints value

cout<<"Current Speed is :"<<currentSpeed<<"\n";//prints value

cout<<"Top is:"<<top<<"\n";//prints value

}

};

int main()//defining a main method

{

Convertible cs("BMW",true,180,true);//creating the Convertible calss object that calls the parameterized constructor by accepting value into the parameter

cs.show();//calling method show

cs.setCarName("Benz");//calling the setCarName method

cs.setIgnition(true);//calling the setIgnition method

cs.setCurrentSpeed(160);//calling setCurrentSpeed method

cs.setTop(true);//calling setTop method

cs.show();//calling show method

cout<<"Car Name is: "<<cs.getCarName()<<"\n";//calling the getCarName method and print its value

cout<<"Ignition is:"<<cs.getIgnition()<<"\n";//calling the getIgnition method and print its value

cout<<"Current Speed is:"<<cs.getCurrentSpeed();//calling the getCurrentSpeed method and print its value

return 0;

}

Output:

Please find the attached file.

Learn more:

brainly.com/question/23313563

To provide for unobtrusive validation, you can install the ____________________ package for unobtrusive validation.

Answers

Answer:

AspNet.ScriptManager.jQuery?

Explanation:

Unobtrusive validation means we can perform a simple client-side validation without writing a lot of validation code by adding suitable attributes and also by including the suitable script files.

One of the benefits of using a unobtrusive validation is that it help to reduce the amount of the Java script that is generated. We can install the AspNet.ScriptManager.jQuery? for the unobtrusive validation.

When the unobtrusive validation is used, validation of the client is being performed by using a JavaScript library.

what presents information about the document, the progress of
current tasks and the status of certain commands and keys?​

Answers

Answer: status bar

Explanation:

The status bar refers to the horizontal window that's found at the bottom of the parent window whereby an application will show different kinds of status information.

The main function of the status bar is to simply display information withnragrds to the current state of the window. Therefore, the status bar helps in the presentation of information about the document, indicates progress of

current tasks and also the status of some commands and keys.

Haley is responsible for checking the web server utilization. Which things should she review while checking the server utilization?

While checking the server utilizations, she should review____ and ____.

First box?
CPU
cables
backup media

Second box?
RAM
web application
antivirus

Answers

Answer:

While checking the server utilizations, she should review CPU and RAM.

Explanation:

Answer:

CPU and RAM

Explanation:

what is data analysing data and give three examples ?​

Answers

Answer:

Data Analysis is the process of systematically applying statistical and/or logical techniques to describe and illustrate, condense and recap, and evaluate data. ... An essential component of ensuring data integrity is the accurate and appropriate analysis of research findings.

Inferential Analysis. Diagnostic Analysis. Predictive Analysis. Prescriptive Analysis are examples.

advantage of internet to millennials​

Answers

Benefits of Millennials – Networking Millennials, being constantly active on various social media platforms, are more connected and exposed to greater networks. Give them 10 minutes and they will be able to reconnect with the majority of their primary, secondary and tertiary school connections along with previous colleagues

Answer any choices for this question

Explanation:

Create a program that will compute the voltage drop across each resistor in a series circuit consisting of three resistors. The user is to input the value of each resistor and the applied circuit voltage. The mathematical relationships are 1. Rt- R1 R2 + R3 It Vs/Rt Where Rt -Total circuit resistance in ohms R1,R2,R3 Value of each resistor in ohms It - Total circuit current in amps Vs -Applied circuit voltage Vn- Voltage drop across an individual resistor n (n-1, 2 or 3) in volts Rn-R1,R2, or R3
Use the values of 5000 for R1, 3000 for R2,2000 for R3, and 12 for Vs. The output of the program should be an appropriate title which identifies the program and include your name. All values should be accompanied by appropriate messages identifying each. Submit a printout of your program and the printed output to your instructor

Answers

Answer:

The program in Python is as follows:

R1 = int(input("R1: "))

R2 = int(input("R2: "))

R3 = int(input("R3: "))

   

Rt = R1 + R2 + R3

Vs = int(input("Circuit Voltage: "))

It = Vs/Rt

V1= It * R1

V2= It * R2

V3= It * R3

print("The voltage drop across R1 is: ",V1)

print("The voltage drop across R2 is: ",V2)

print("The voltage drop across R3 is: ",V3)  

Explanation:

The next three lines get the value of each resistor

R1 = int(input("R1: "))

R2 = int(input("R2: "))

R3 = int(input("R3: "))

This calculates the total resistance    

Rt = R1 + R2 + R3

This prompts the user for Circuit voltage

Vs = int(input("Circuit Voltage: "))

This calculates the total circuit voltage

It = Vs/Rt

The next three line calculate the voltage drop for each resistor

V1= It * R1

V2= It * R2

V3= It * R3

The next three line print the voltage drop for each resistor

print("The voltage drop across R1 is: ",V1)

print("The voltage drop across R2 is: ",V2)

print("The voltage drop across R3 is: ",V3)

What would be the best tool to display the following information from a basketball game?
Eric had 21 points, 3 rebounds, and 1 assist
Sean had 10 points, 1 rebound, and 10 assists
Jim had 8 points, 3 rebounds, and 5 assists

A.table
B.memo
C.research paper
D.business letter

Answers

A table. Hope this helps friend

How has the shift to locally grown produce decreased greenhouse emissions?

Answers

Answer:

How has the shift to locally grown produce decreased greenhouse emissions? 1 Large farms often create greenhouse emissions by poor farming practices. 2 Locally grown produce allows fewer dangerous toxins to seep into the soil and the atmosphere.

Create a new Java project/class called ChangeUp. Create an empty int array of size 6. Create a method called populateArray that will pass an array, use random class to choose a random index and prompt the user to enter a value, store the value in the array. Note: Generate 6 random index numbers in an attempt to fill the array. Create a method called printArray that prints the contents of the array using the for each enhanced loop. Submit code. Note: It is possible that your array won't be filled and some values will still have 0 stored. That is acceptable.

Answers

Answer:

//import the Random and Scanner classes

import java.util.Random;

import java.util.Scanner;

//Begin class definition

public class ChangeUp {

   

   //Begin the main method

  public static void main(String args[]) {

       //Initialize the empty array of 6 elements

      int [] numbers = new int [6];

       

       //Call to the populateArray method

       populateArray(numbers);

       

       

   } //End of main method

   

   

   //Method to populate the array and print out the populated array

   //Parameter arr is the array to be populated

   public static void populateArray(int [] arr){

       

       //Create object of the Random class to generate the random index

       Random rand = new Random();

       

       //Create object of the Scanner class to read user's inputs

       Scanner input = new Scanner(System.in);

       

       //Initialize a counter variable to control the while loop

       int i = 0;

       

       //Begin the while loop. This loop runs as many times as the number of elements in the array - 6 in this case.

       while(i < arr.length){

           

           //generate random number using the Random object (rand) created above, and store in an int variable (randomNumber)

           int randomNumber = rand.nextInt(6);

       

           //(Optional) Print out a line for formatting purposes

           System.out.println();

           

           //prompt user to enter a value

           System.out.println("Enter a value " + (i + 1));

           

           //Receive the user input using the Scanner object(input) created earlier.

           //Store input in an int variable (inputNumber)

           int inputNumber = input.nextInt();

           

           

           //Store the value entered by the user in the array at the index specified by the random number

           arr[randomNumber] = inputNumber;

           

           

           //increment the counter by 1

          i++;

           

       }

       

       

       //(Optional) Print out a line for formatting purposes

       System.out.println();

       

       //(Optional) Print out a description text

      System.out.println("The populated array is : ");

       

       //Print out the array content using enhanced for loop

       //separating each element by a space

       for(int x: arr){

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

       }

   

       

  } //End of populateArray method

   

   

   

} //End of class definition

Explanation:

The code above is written in Java. It contains comments explaining the lines of the code.

This source code together with a sample output has been attached to this response.

Answer:

import java.util.Random;

import java.util.Scanner;

public class ArrayExample {

   public static void main(String[] args) {

       int[] array = new int[6];

       populateArray(array);

       printArray(array);

   }

 

   public static void populateArray(int[] array) {

       Random random = new Random();

       Scanner scanner = new Scanner(System.in);

       boolean[] filledIndexes = new boolean[6];

     

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

           int index = random.nextInt(6);

         

           while (filledIndexes[index]) {

               index = random.nextInt(6);

           }

         

           filledIndexes[index] = true;

         

           System.out.print("Enter a value for index " + index + ": ");

           int value = scanner.nextInt();

           array[index] = value;

       }

   }

 

   public static void printArray(int[] array) {

       System.out.println("Array contents:");

       for (int value : array) {

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

       }

   }

}

Explanation:

In the code provided, we are creating an array of size 6 to store integer values. The objective is to populate this array by taking input from the user for specific indexes chosen randomly.

To achieve this, we have defined two methods: populateArray and printArray.

The populateArray method takes an array as a parameter and fills it with values provided by the user. Here's how it works:

We create an instance of the Random class to generate random numbers and a Scanner object to read user input.We also create a boolean array called filledIndexes of the same size as the main array. This array will keep track of the indexes that have already been filled.Next, we use a loop to iterate six times (since we want to fill six elements in the array).Inside the loop, we generate a random index using random.nextInt(6). However, we want to make sure that we don't fill the same index twice. So, we check if the index is already filled by checking the corresponding value in the filledIndexes array.If the index is already filled (i.e., filledIndexes[index] is true), we generate a new random index until we find an unfilled one.Once we have a valid, unfilled index, we mark it as filled by setting filledIndexes[index] to true.We then prompt the user to enter a value for the chosen index and read the input using scanner.nextInt(). We store this value in the main array at the corresponding index.This process is repeated six times, ensuring that each index is filled with a unique value.

The printArray method is responsible for printing the contents of the array. It uses a for-each enhanced loop to iterate over each element in the array and prints its value.

**By separating the population and printing logic into separate methods, the code becomes more modular and easier to understand.**

Write a python statement that print the number 1000

Answers

1.

print(1000)

2.

x = 600

y = 400

print(x + y)

Why should data be collected and analyze for evaluation?​

Answers

Answer:

During outcomes assessment, data can provide the basis for you and other stakeholders to identify and understand results and to determine if your project has accomplished its goals. Therefore, much care must go into the design of your data collection methods to assure accurate, credible and useful information.

1. Write a method to measure sortedness of an array. The method header is:
2. Write an iterative method to measure sortedness of a collection of linked nodes. The method header is:
3. Write a recursive method to measure sortedness of a collection of linked nodes.
Document Preview:
Meetup Questions and ideas Write a method to measure sortedness of an array. The method header is: public static double sortedness(Comparable[] array) Write an iterative method to measure sortedness of a collection of linked nodes. The method header is: public static double sortednessIterative(Node node) Write a recursive method to measure sortedness of a collection of linked nodes. public static double sortednessIterative(Node node)

Answers

ㄴㄱㄷㅂㄷㅈ븟ㅈㅂㅈㅂㅈㄱㅅㄱㅈㅂㄷㅅㄷㅈㄱㅅㄱㅅㄴㅇㄴㅇㄴㅇㄴㅁㄴㅇㄴㅇㄴㅈㅂㅈㅂㅈㄱㅈㄴㅈㄴㄱㅆㅅㄱㅈㅂㄷㅅㅈㅂㅈㅅㄱ싲ㄱㅈㅂㄷㅂㅅㅇㄱㅇㄱㅅㅂㄷㅈㄱㅇㄱㅇㄱㄷㄱㅅㄱㅇㄱㄷㅈㄱㅇㅈㄱㅂㅈㅂㄷㅇㄷㅅㅆㄱㅇㄱㅅㅈㄱㅈㄱㅇㄱㅇㅂㅇㄱㅁㄱㅇㄱㅇㄱㅇㄱㅇㄱㅁㅋㅁㄱㅇㄱㅇㄱㅇㄱㄴㅁㄴㅇㄴㅇㄴㅇㄴㅇㄴㅇㄴㅇㄴㅇㄴㅁㄴㅇㄴㅇㄴㅅㄱㅈㄱㅈㅅ?...

Damion recently did an update to his computer and added a new video card. After the update, Damion decided that he would like to play his favorite game. While he was playing the game, the system locked up. He restarted the computer and did not have any issues until he tried to play the same game, at which point, the computer locked up again. What might be the problem with Damion's computer

Answers

The answer is Secure boot

2.19.5: Circle Pyramid 2.0

Answers

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:

def move_to_row(num_circle):

x_value = -((num_circle*50)/2)

y_value = -250 +(50*row_value)

penup()

setposition(x_value,y_value)

pendown()

def draw_circle_row(num_circle):

for i in range(num_circle):

endown()

circle(radius)

penup()

forward(diameter)

#### main part

speed(0)

radius = 25

diameter = radius * 2

row_value = 1

num_circle = int(input("How many circle on the bottom row? (8 or less): "))

penup()

for i in range(num_circle):

move_to_row(num_circle)

row_value=row_value+1

draw_circle_row(num_circle)

num_circle=num_circle-1

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

I will give brainliest!!!!! I NEED HELP ASAP!!!!!!!

Answers

Answer:

c

Explanation:

different the need for external or secondary memory​

Answers

Answer:

Secondary storage is needed to keep programs and data long term. Secondary storage is non-volatile , long-term storage. Without secondary storage all programs and data would be lost the moment the computer is switched off.

External storage enables users to store data separately from a computer's main or primary storage and memory at a relatively low cost. It increases storage capacity without having to open up a system.

Which of these elements help të orient a user?
to
A
a dialog
B.
page name
c. an icon
b. a banner




Fast please

Answers

answer:

page name

Explanation:

Answer:

b. page name

Explanation:

plato

Other Questions
how do you find mean... To provide for unobtrusive validation, you can install the ____________________ package for unobtrusive validation. Leia, Chewy, Han Solo, and Luke have to cross a bridge. They only have one flashlight, and the bridge can only hold two people at a time. They each take a different length of time to get across the bridge. At any time, a group of two can only move as fast as the group's slowest person. The times that it takes each person to cross the bridge are:Chewy -- ten minutes Han Solo -- five minutes Leia -- two minutes Luke -- two minutes How can the four get across the bridge the fastest? If you have 5.6 grams of a radioactive isotope with a half-life of 150 years:How much of the isotope will you have left after 750 years? here is my question please anwser as soon as possible !!!!!!! Which sentence has correct capitalization? A. Luke said he met Michael Jordan when he went to a Bulls Game, but Michael Jordan was too busy to sign autographs. B. Luke said he met Michael Jordan when he went to a Bulls game, but Michael Jordan was too busy to sign autographs. C. Luke said he met Michael Jordan when he went to a bulls game, but Michael Jordan was too busy to sign autographs. D. Luke said he met Michael Jordan when he went to a Bulls game, but Michael Jordan was too busy to sign Autographs. tell me ok An earthquake is the ________ that results from movement under Earths surface.Group of answer choicesenergyshakingtravelsmell In a lab experiment, 490 bacteria are placed in a petri dish. The conditions are such that the number of bacteria is able to double every 6 hours. How long would it be, to the nearest tenth of an hour, until there are 5210 bacteria present? Can someone please explain Conditional probability to me If an announcement by a firm causes the price of that firm's stock to suddenly change, that price change will most likely be driven by:________.a. the unexpected part of the announcement.b. the expected part of the announcementc. market inefficiencyd. systematic risk HELP ASAP FOR 100 POINTS A group of hikers starts at an elevation of 2.53 kilometers. When theystop for lunch, their elevation has increased by 1.24 kilometers. When theystop to camp, their elevation has decreased by 0.53 kilometer compared totheir lunch stop. Which expressions represent the elevation, in kilometers,of the group's campsite? Select all that apply. volcano main vent definition What impact did conversion most likely have on indigenous peoples?A.They had to leave their homeland.B.They had to change how they farmed.C.They had to abandon all of their customs.D.They had to change how they worshipped.which one? A skydiver falls 125 feet in 5 seconds. How far does the skydiver fall per second? What is 3/3 plus 4 6/4? 3. At 34.0C, the pressure inside a nitrogen-filled tennis ball with a volume of 148 cm3 is 212kPa. How many moles of N2 are in the tennis ball? anjou has 28 apples.3\7 of apples that are rotten find the number of rotten apples Women, blacks, and ________ who worked in factories typically earned the lowest wages. a. Nativists c. citizens b. immigrants d. unionists