Answer: Technology, science and knowledge are important in modern contemporary society. ... Studies of technology and science provides students with insight into how different processes of knowledge are initiated and progressed, and how innovative technological processes are developed, employed and increase in importance.
Explanation: The role that science and technology has played in improving the life conditions across the globe is vivid, but the benefit has to been harvested maximum by all countries. Science and technology has made life a lot easier and also a lot better with the advancement of medicines and analysis on diseases.
Science and technology play a crucial role in nation-building for several reasons. Firstly, advancements in these fields drive economic growth by fostering innovation, leading to new industries and job opportunities.
Secondly, they improve the overall quality of life through better healthcare, communication, and infrastructure.
Additionally, scientific research and technological developments enhance a nation's global competitiveness and position it as a knowledge-based society.
Moreover, science and technology contribute to addressing societal challenges, such as environmental sustainability and resource management.
Know more about Science and technology:
https://brainly.com/question/1626729
#SPJ5
What was the biggest problem with the earliest version of the internet in the late 1960’s?
Answer:
Explanation:
1.security issue
2. Computers were too big
3. Not very reliable
4. Networks couldn't talk to each other
5. Only be used in universities, governments, and businesses
If the VLOOKUP function is used to find an approximate match, what will it return if there is no exact match?
the largest value in the table
the smallest value in the table
O the largest value that is less than the lookup value
the smallest value that is greater than the lookup value
Answer:
Its C
Explanation:
The largest value that is less then the lookup value
Which questions do you need to ask yourself when preparing for a presentation?
Answer:
What do I want to transmit?
Why am I going to present this topic?
What is my believe about this topic?
Who am i going to speak to?
What do I need to work on to convey successfully the topic?(structure, tools, abilities, visual tools)
Explanation:
These are the most important questions, first of all because you have to start with why you are doing the presentation, and what will you do to make the presentation part of your beliefs.
Which shortcut key aligns text to the center of a page?
O Ctrl+C
O Ctrl+Shift+C
O Shift+C.
O Ctrl+E
Option D, Ctrl + E aligns text to centre
Print the two-dimensional list mult_table by row and column. Hint: Use nested loops.
Sample output with input: '1 2 3,2 4 6,3 6 9':
1 | 2 | 3
2 | 4 | 6
3 | 6 | 9
Must be in Python
Answer:
m = int(input("Rows: "))
n = int(input("Columns:= "))
mult_table = []
for i in range(0,m):
mult_table += [0]
for i in range (0,m):
mult_table[i] = [0]*n
for i in range (0,m):
for j in range (0,n):
print ('Row:',i+1,'Column:',j+1,': ',end='')
mult_table[i][j] = int(input())
for i in range(0,m):
for j in range(0,n):
if not j == n-1:
print(str(mult_table[i][j])+" | ", end='')
else:
print(str(mult_table[i][j]), end='')
print(" ")
Explanation:
The next two lines prompt for rows and columns
m = int(input("Rows: "))
n = int(input("Columns:= "))
This line declares an empty list
mult_table = []
The following two iterations initializes the list
for i in range(0,m):
mult_table += [0]
for i in range (0,m):
mult_table[i] = [0]*n
The next iteration prompts and gets user inputs for rows and columns
for i in range (0,m):
for j in range (0,n):
print ('Row:',i+1,'Column:',j+1,': ',end='')
mult_table[i][j] = int(input())
The following iteration prints the list row by row
for i in range(0,m):
for j in range(0,n):
if not j == n-1:
print(str(mult_table[i][j])+" | ", end='')
else:
print(str(mult_table[i][j]), end='')
print(" ")
In this exercise we have to use the knowledge of computational language in python to describe a code, like this:
The code can be found in the attached image.
To make it easier the code can be found below as:
m = int(input("Rows: "))
n = int(input("Columns:= "))
mult_table = []
for i in range(0,m):
mult_table += [0]
for i in range (0,m):
mult_table[i] = [0]*n
for i in range (0,m):
for j in range (0,n):
print ('Row:',i+1,'Column:',j+1,': ',end='')
mult_table[i][j] = int(input())
for i in range(0,m):
for j in range(0,n):
if not j == n-1:
print(str(mult_table[i][j])+" | ", end='')
else:
print(str(mult_table[i][j]), end='')
print(" ")
See more about python at brainly.com/question/26104476
Why would a user select More Items for mail merge fields? to manually set an IF-THEN logic for the data field to manually change what merge field data is shown to manually select the format of the name in the greeting line to manually select and place additional fields at an insertion point
Answer:to manually select and place additional fields at an insertion point
Explanation:
Answer:
D. to manually select and place additional fields at an insertion point
Explanation:
edg. 2020
A file concordance tracks the unique words in a file and their frequencies. Write a program that displays a concordance for a file. The program should output the unique words and their frequencies in alphabetical order. Variations are to track sequences of two words and their frequencies, or n words and their frequencies. Below is an example file along with the program input and output: example.txt I AM SAM I AM SAM SAM I AM
Answer:
Here is the Python program:
filename=input('Enter the file name: ') #prompts to enter file name
file = open(filename,"r+") #opens file in read mode
dict={} #creates a dictionary
for word in file.read().split(): #reads and splits the file and checks each word in the file
if word not in dict: #if word is not already present in dictionary
dict[word] = 1 #sets dict[word] to 1
else: #if word is already in the dictionary
dict[word] += 1 #adds 1 to the count of that word
file.close(); #closes file
for key in sorted(dict): #words are sorted as per their ASCII value
print("{0} {1} ".format(key, dict[key])); #prints the unique words (sorted order) and their frequencies
Explanation:
I will explain the program with an example:
Lets say the file contains the following contents:
I AM SAM I AM SAM SAM I AM
This file is read using read() method and is split into a list using split() method so the file contents become:
['I', 'AM', 'SAM', 'I', 'AM', 'SAM', 'SAM', 'I', 'AM']
for word in file.read().split():
The above for loop checks file contents after the contents are split into a list of words. So if statement if word not in dict: inside for loop checks if each item in the list i.e. each word is not already in dict. It first checks word 'I'. As the dictionary dict is empty so this word is not present in dict. So the statement dict[word] = 1 executes which adds the word 'I' to dict and sets it to 1. At each iteration, each word is checked if it is not present in dictionary and sets its count to 1. This way the words 'I', 'AM' and 'SAM' count is set to 1. Now when 'I' appears again then this if condition: if word not in dict: evaluates to false because 'I' is already present in the dict. So else part executes dict[word] += 1 which adds 1 to the count of this word. So frequency of 'I' becomes 2. Now each time when 'I' in encountered its count is incremented by 1. Since 'I' appears three times so frequency of 'I' is 3.
After all the words are checked and the loop ends, the next for loop for key in sorted(dict): uses sorted method to sort the items in dict in alphabetical order then check each key of the dict and prints the key value along with it frequency. So the output of the entire program is:
AM 3 I 3 SAM 3
The screenshot of program along with its output is attached.
What is Napoleon's friend's full name? From the Napoleon Dynamite movie.
His friend's full name was Pedro Sanchez :)
What is the World Wide Web?
A.
an information system where each document is linked to all other documents
B.
a large worldwide network of interconnected computers
C.
the collection of all online content you can access from your computer
D.
a worldwide social media network
Answer:
A an information system where each document is linked to all other documents
What is a row of data in a database called?
Field,
File,
Record, or
Title
Answer:
A Field
Explanation:
I got it right
Suppose you are purchasing something online on the Internet. At the website, you get a 10% discount if you are a member. Additionally, you are also getting a discount of 5% on the item because its Father's Day. Write a function that takes as input the cost of the item that you are purchasing and a Boolean variable indicating whether you are a member (or not), applies the discounts appropriately, and returns the final discounted value of the item. Note: The cost of the item need not be an integer
Answer:
The function is written in C++
void calc_discount(double amount,bool member)
{
double discount;
if(member)
{
discount = amount - 0.10 * amount - 0.05 * amount;
}
else
{
discount = amount - 0.05 * amount;
}
cout<<"Discount = "<<discount;
}
Explanation:
I've included the full source code (including the main method) as an attachment where I use comments as explanations
What order means that the highest numbers will be on top of the column
Answer:
Descending
Explanation:
What do you use for soaking hands and holding soapy water
Answer:
a bowl
Explanation:
a round, deep dish or basin used for food or liquid.
plz mark brainliest
which team member on a project typically enjoys solving difficult problems? ILL MARK BRAINEST
Answer: the programmer.
Explanation: I did the test you used the picture on
Answer:
whats THE ANSWER IS HER WRONG
Explanation:
Lifelong learning ____?
A. stops when your career is over
B. only occurs in a classroom setting
C. begins after you retire
D. can be informal
Answer:
can be informal
Explanation:
just took the Unit Test
Write the letter from D'Artagnan's father that was stolen from D'Artagnan in Meung. Include information about how D'Artagnan's father knows M. de Treville, describe D'Artagnan to M. de Treville, and request what D'Artagnan's father would like M. de Treville to do for D'Artagnan. Minimum 4 sentences.
Answer:
D'Artagnan's father advises him to be guided by his courage and his wits, ... town, but finds that the gentleman has stolen his letter of introduction to M. de Treville. ... D'Artagnan is received into M. de Treville's private chamber. However, before the two can speak, de Treville calls in two of his musketeers, Aramis and Porthos.
Explanation:
Write a program that prompts the user to input two POSITIVE numbers — a dividend (numerator) and a divisor (denominator). Your program should then divide the numerator by the denominator, and display the quotient followed by the remainder.Hint: If you use division (/) to calculate the quotient, you will need to use int() to remove the decimals. You can also use integer division (// ), which was introduced in Question 10 of Lesson Practice 2.3.Once you've calculated the quotient, you will need to use modular division (%) to calculate the remainder. Remember to clearly define the data types for all inputs in your code. You may need to use float( ) , int( ), and str( ) in your solution.float( ): Anything inputted by a user should be transformed into a float — after all, we are accepting ALL positive numbers, integers and those with decimals.int( ): When you divide the numerator and the divisor using /, make sure that the result is an integer.str( ): After using modular division, you can transform the quotient and remainder back into strings to display the result in the print() command.
Answer:
did you end up getting an answer
Explanation:
Write a java program that accepts the ingredients for a recipe in cups and converts to ounces
Answer:
Explanation:
public static int cupsToOunces (int cups) {
int ounces = cups * 8;
return ounces;
}
This is a very simple Java method that takes in the number of cups in the recipe as a parameter, converts it to ounces, and then returns the number of ounces. It is very simple since 1 cup is equal to 8 ounces, therefore it simply takes the cups and multiplies it by 8 and saves that value in an int variable called ounces.
Use the drop-down menus to complete the statements explaining the creation and management of an outline in Word 2016. The Outline view allows a user to add, expand, and collapse content in the document. Headers can be promoted or demoted in the outline by using the directional arrows or . Level 1 headings will appear in the pane.
Answer:
Heading and subheading
shortcut keys
navigation
Explanation:
i got it wrong and it showed
Answer:
Use the drop-down menus to complete the statements explaining the creation and management of an outline in Word 2016.
The Outline view allows a user to add, expand, and collapse
✔ heading and subheading
content in the document.
Headers can be promoted or demoted in the outline by using the directional arrows or
✔ shortcut keys
.
Level 1 headings will appear in the
✔ Navigation
pane.
Explanation:
What is Chris Records LifePreneur Online Educational Training Program?
Answer:
LifePreneur stands for Lifesyle Entrepreneur. When you take the word lifestyle and entrepreneur to combine them together, you get the brand, LifePreneur. This is the concept behind Chris Record's LifePreneur company.
Lifepreneur is the long-awaited legacy project founded by online serial-entrepreneur Chris Record. Chris currently lives in scorching hot Las Vegas which is fitting because everything online he gets involved in goes big league. Chris has helped tens of thousands of people to start their own online business, and has a true passion for helping everyone succeed.
Lifepreneur is a membership program that you can join to get training in various aspects of online marketing, training and advice and investing, live in-person mentorship from Chris Record himself, and more. It is a membership program that you can sign up for free and it's designed to help you grow into more than just a business entrepreneur… A Lifepreneur.
More info : reddit's /r/LifePreneur
ASAP.
13. How do distracters impact your study time? They cause you to lose focus and lose time. They make studying almost impossible. They cause you to lose focus and that results in lower grades. They make you drowsy and distracted.
Answer:
A
Explanation:
You could pick any answer and make a case for it. It depends on what you have been told.
I would pick A but I wouldn't be surprised if the answer isn't the last one.
Give 2 bennifits of expert system
Answer:
Provide answers for decisions, processes and tasks that are repetitive.
Hold huge amounts of information.
Minimize employee training costs.
Centralize the decision making process.
Make things more efficient by reducing the time needed to solve problems.
here are a few
hope it helps : )
Bernie is an aspiring video game developer. Learning which of the following software would benefit him the most?
A. Computer-aided design software
B. Sampling software
C. 3-D animation software
D. System software
Answer:System Software
Explanation:
3-D animation software is for 3d animation
Sampling software is for audio
Computer aided design is an artistic media
A video game developer is is a software developer and is specialized in video game development. It relates to the creation of video games. The video game publisher have maintained a studio. And it involves 3rd party developer.
For making the games he needs 3D animated software such as shade 3D or K-3D. In order to make the game he needs to have all automation software that provides him the visual effects.Hence the option C is correct.
Learn more about the aspiring video game developer.
brainly.com/question/21539732.
how do i chose the brianliest answer
Answer:
you can choose the brainliest answer by clicking in a brainliest answer
Answer:
Click on the answer, then click brainliest
Explanation:
What does binary mean?
Os and 1s
O Decimals
O Digital
O User data
Answer:
0s and 1s
Explanation:
Answer:
0s and 1s
Explanation: when you talk about binary codes you are talking about the codes made up of 1s and 0s
Is a i5 2400 and a GeForce GTX 1060 6GB bottlenecking?
Answer:
In terms of memory, the GTX 1060 6GB 's 6144 MB RAM is more than enough for modern games and should not cause any bottlenecks. This combination between GTX 1060 6GB and Intel Core i5-2400 3.10GHz has less than 15% bottleneck in many games and can cause minor FPS loss.
Explanation:
i wish i had one of these lol
Answer:
Yes very Much
Explanation:
Please No
3.
State and explain any Three elements of control unit
Answer:
There are two types of control units: Hardwired control unit and Microprogrammable control unit.
Explanation:
The components of this unit are instruction registers, control signals within the CPU, control signals to/from the bus, control bus, input flags, and clock signals.
Answer:
The control unit (CU) is a component of a computer's central processing unit (CPU) that directs the operation of the processor. It tells the computer's memory, arithmetic and logic unit and input and output devices how to respond to the instructions that have been sent to the processor.
The three elements of a control unit are :
Memory or Storage Unit.a control unit.ALU(Arithmetic Logic Unit)Explanation:
Mark brainliest.
If the machine executes 5000 instructions every microsecond (millionth of a second), how many instructions does the machine execute during the time between the typing of two consecutive characters?
Answer:
5*10^9 instructions
Explanation:
Let's apply logic to solve this particular problem.
If 5000 instructions get executed in a millionth of a second, then this means that
5000 instructions gets executed every 1*10^-6 second
5000*10^6 instructions get executed every second, or say
5*10^9 instructions get executed after every second.
Going forward, it isn't stated how long it takes to type two consecutive characters, so will assume it's just 1 second(since it's consecutively).
So, succinctly put, if it takes 1 second to type the two characters consecutively, then the machine executed 5*10^9 instructions. And if it takes 2 seconds to type the two characters, then the machine would have executed 10*10^9 instructions
When collecting digital evidence from a crime scene, often the best strategy for dealing with a computer that is powered on is to:
Options:
a. remove the hard drive
b. transport it while running
c. perform a clean shutdown
d. unplug it
Answer:
d. unplug it
Explanation:
Indeed, unplugging the computer often the best strategy for dealing with a computer that is powered on so to preserve (or collect) digital evidence. By so doing it allows the investigator to safely check through the computer found at the crime scene.
However, if the investigator decides to remove the hard drive or performing a clean shutdown, valuable evidence may be lost as a result. Also, transporting it while running isn't going to be a viable option.
The text help readers understand the relationship between gender and sports?THESE PUMPKINS SURE CAN KICK!
Answer:
What's the question?????I don't understand