Answer:
hope this helps...
Explanation:
A computer can only make a decision if it has been instructed to do so. In some advanced computer systems, there are computers that have written the instructions themselves, based on other instructions, but unless there is a “decision point”, the computer will not act on its own volition.
PLEASE THANK MY ANSWER
What is the output?
>>> phrase = "abcdefgh"
>>> phrase[4-7]
Answer:
efg
Explanation:
abcdefgh
01234567
a second group of smaller network restricted by companies organizations or limited number of user is known as?
LAN- Local Area Network
Explanation:
In python,
Here's some fake data.
df = {'country': ['US', 'US', 'US', 'US', 'UK', 'UK', 'UK'],
'year': [2008, 2009, 2010, 2011, 2008, 2009, 2010],
'Happiness': [4.64, 4.42, 3.25, 3.08, 3.66, 4.08, 4.09],
'Positive': [0.85, 0.7, 0.54, 0.07, 0.1, 0.92, 0.94],
'Negative': [0.49, 0.09, 0.12, 0.32, 0.43, 0.21, 0.31],
'LogGDP': [8.66, 8.23, 7.29, 8.3, 8.27, 6.38, 6.09],
'Support': [0.24, 0.92, 0.54, 0.55, 0.6, 0.38, 0.63],
'Life': [51.95, 55.54, 52.48, 53.71, 50.18, 49.12, 55.84],
'Freedom': [0.65, 0.44, 0.06, 0.5, 0.52, 0.79, 0.63, ],
'Generosity': [0.07, 0.01, 0.06, 0.28, 0.36, 0.33, 0.26],
'Corruption': [0.97, 0.23, 0.66, 0.12, 0.06, 0.87, 0.53]}
I have a list of happiness and six explanatory vars.
exp_vars = ['Happiness', 'LogGDP', 'Support', 'Life', 'Freedom', 'Generosity', 'Corruption']
1. Define a variable called explanatory_vars that contains the list of the 6 key explanatory variables
2. Define a variable called plot_vars that contains Happiness and each of the explanatory variables. (Hint: recall that you can concatenate Python lists using the addition (+) operator.)
3. Using sns.pairplot, make a pairwise scatterplot for the WHR data frame over the variables of interest, namely the plot_vars. To add additional information, set the hue option to reflect the year of each data point, so that trends over time might become apparent. It will also be useful to include the options dropna=True and palette='Blues'.
Answer:
Here the answer is given as follows,
Explanation:
import seaborn as sns
import pandas as pd
df = {'country': ['US', 'US', 'US', 'US', 'UK', 'UK', 'UK'],
'year': [2008, 2009, 2010, 2011, 2008, 2009, 2010],
'Happiness': [4.64, 4.42, 3.25, 3.08, 3.66, 4.08, 4.09],
'Positive': [0.85, 0.7, 0.54, 0.07, 0.1, 0.92, 0.94],
'Negative': [0.49, 0.09, 0.12, 0.32, 0.43, 0.21, 0.31],
'LogGDP': [8.66, 8.23, 7.29, 8.3, 8.27, 6.38, 6.09],
'Support': [0.24, 0.92, 0.54, 0.55, 0.6, 0.38, 0.63],
'Life': [51.95, 55.54, 52.48, 53.71, 50.18, 49.12, 55.84],
'Freedom': [0.65, 0.44, 0.06, 0.5, 0.52, 0.79, 0.63, ],
'Generosity': [0.07, 0.01, 0.06, 0.28, 0.36, 0.33, 0.26],
'Corruption': [0.97, 0.23, 0.66, 0.12, 0.06, 0.87, 0.53]}
dataFrame = pd.DataFrame.from_dict(df)
explanatory_vars = ['LogGDP', 'Support', 'Life', 'Freedom', 'Generosity', 'Corruption']
plot_vars = ['Happiness'] + explanatory_vars
sns.pairplot(dataFrame,
x_vars = explanatory_vars,
dropna=True,
palette="Blues")
What is application software restarting?
Reloading a programme is what it means to restart an application. Rebooting the operating system (OS) is what it means to restart a computer ("rebooting").
What is application restart?Restart will restart your application again with the same command-line options if you gave it any when it was first launched.The frequent restarts may be the result of a recent app installation that is bothering your computer. Certain apps may alter the system settings and cause it to malfunction. It is advised to find the offending app and delete it from the system.After a failover, automated application processing is continued through application recovery. Careful planning is necessary for application recovery after failover. Some applications require notification that a failover has occurred. A software programme freezes when it stops operating and is unable to carry out any tasks.To learn more about Reloading refer to:
https://brainly.com/question/30192971
#SPJ4
You are to write a program that performs basic statistical analysis on a 500 element array of integers. Your program should include the following programmer defined functions:int* generateArray(int size){This function should dynamically create an array of 501 elements and provide random numbers to fill the array. The random numbers should range from 10 to 100. The function should return the created array to the array generated in the main program.}int findMode(int *arr, int size){This function should analyze the array to find the most occurring value in the array. You do not have to account for bi-modal occurrences, so the first modal value is enough to satisfy this function definition.}int findMedian(int *arr, int size){This function should determine the median of the set of numbers in the array. Since there are 501 elements, you should have a clean median. Do not forget that the list has to be sorted in order to properly find the median.}Of course, main is critical to the function of your program and should output the mode, median of the list. An output of the 501 element array is not necessary.
Answer:
#include <iostream>
#include <cstdlib>
#include <ctime>
using namespace std;
int* generateArray(int size)
{
int *numbers = new int[size];
for(int i=0;i<size;i++){
numbers[i] = (rand()%100) + 10;
}
return numbers;
}
int findMode(int *arr, int size)
{
int countMode = 0;
int mode ;
int count;
for(int i=0;i<size;i++) {
count = 1;
for(int j=i+1;j<size;j++) {
if(arr[j] == arr[i] ){
count++;
}
if(count > countMode) {
countMode = count;
mode = arr[i];
}
}
}
return mode;
}
int findMedian(int *arr, int size)
{
sort(arr,size);
int median;
if(size%2 == 0){
median = (arr[int((size-1)/2)]+arr[size/2])/2;
} else{
median = arr[(size-1)/2];
}
return median;
}
void sort(int *arr, int size)
{
int min;
for(int i=0;i<size-1;i++) {
min = i;
for(int j=i+1;j<size;j++){
if(arr[j] < arr[min]){
min = j;
}
if(min != i) {
int temp = arr[i];
arr[i] = arr[min];
arr[min] = temp;
}
}
}
}
int main()
{
srand(time(0));
int size = 501;
int *numbers = generateArray(size);
cout<<"Mode : "<<findMode(numbers,size)<<endl;
cout<<"Median : "<<findMedian(numbers,size)<<endl;
return 0;
}
Explanation:
The C++ program is able to generate 500 integer items into the defined array and statistically analyze and provide the average and modal number in the array of integer dataset.
Benedetta was cyber bullied by her classmates about her looks. WHAT computer ethics was violated?
Answer:
Digital Rights Foundation’s Cyber Harassment Helpline is Pakistan’s first dedicated, toll-free Helpline for victims of online harassment and violence. The Helpline will provide a free, safe and confidential service. The Helpline aims to provide legal advice, digital security support, psychological counselling and a referral system to victims of online harassment. The Helpline will provide a judgment-free, private and gender-sensitive environment for all its callers.
Explanation:
Why is myConcerto considered essential to Accenture's work with enterprise
systems?
Answer:
myConcerto can help clients envision, innovate, solution, deliver and support their transformation to an intelligent enterprise–providing the technology foundation to accelerate their journey and minimize risk along the way.
Hope it helps
Please mark me as the brainliest
Thank you
myConcerto is considered essential to the Accenture enterprise because it helps to do the following:
It can help the clients to envision more.It is useful for innovation.It provides solution.It helps to deliver and also support transformation to enterprises that make use of artificial intelligence.What is myConcerto?This platform is one that is digitally integrated. What it does is that it helps Accenture in the creation of great business outcomes.
Read more on Accenture here:
https://brainly.com/question/25682883
Create a lottery game application. Generate three random numbers, each between 0 and 9.
• Allow the user to guess three numbers.
• Compare each of the user’s guesses to the three random numbers and display a message that includes the user’s guess, the randomly determined three-digit number, and the amount of money the user has won as follows:
• Make certain that your application accommodates repeating digits. For example, if a user guesses 1, 2, and 3, and the randomly generated digits are 1, 1, and 1, do not give the user credit for three correct guesses—just one.
I made this file in python:
Since you cant send .py files through brainly, you'll have to convert it first. Or copypaste it into your IDE or whatever.
Assume a 2^20 byte memory:
a) What are the lowest and highest addresses if memory is byte-addressable?
b) What are the lowest and highest addresses if memory is word-addressable, assuming a 16-bit word?
c) What are the lowest and highest addresses if memory is word-addressable, assuming a 32-bit word?
a) Lowest address: 0, Highest address: (2^20) - 1. b) Lowest address: 0, Highest address: ((2^20) / 2) - 1. c) Lowest address: 0, Highest address: ((2^20) / 4) - 1.
a) If memory is byte-addressable, the lowest address would be 0 and the highest address would be (2^20) - 1.
This is because each byte in the memory requires a unique address, and since there are 2^20 bytes in total, the highest address would be one less than the total number of bytes.
b) If memory is word-addressable with a 16-bit word, each word would consist of 2 bytes.
Therefore, the lowest address would be 0 (representing the first word), and the highest address would be ((2^20) / 2) - 1.
This is because the total number of words is equal to the total number of bytes divided by 2.
Subtracting 1 gives us the highest address, as the addresses are zero-based.
c) If memory is word-addressable with a 32-bit word, each word would consist of 4 bytes.
In this case, the lowest address would still be 0 (representing the first word), and the highest address would be ((2^20) / 4) - 1.
Similar to the previous case, the total number of words is equal to the total number of bytes divided by 4.
Subtracting 1 gives us the highest address.
For more questions on address
https://brainly.com/question/30273425
#SPJ8
Brainly account. How to open?
Your classmate constructs a simple computer that adds numbers. There are 5 wires for inputting the first
number, and the wires are currently "on","on", "off, "on", "off", or 11010 in binary.
What decimal number does that represent?
Answer:
26
Explanation:
Victoria turned in a rough draft of a research paper. Her teacher commented that the organization of the paper needs work.
Which best describes what Victoria should do to improve the organization of her paper?
think of a different topic
try to change the tone of her paper
clarify her topic and make it relevant to her audience
organize her ideas logically from least important to most important
Answer:
D
Explanation:
D would be correct
EDGE 2021
Transfer data across two different networks
this isn't a question. that is a STATMENT. please, ask a question instead of stating things on this site.
Which invention made it possible to have an entire computer for a single circuit board
Answer:
ok lang
Explanation:
Write a function called add_tuples that takes three tuples, each with two values, and returns a single tuple with two values containing the sum of the values in the tuples. Test your function with the following calls:
print(add_tuples( (1,4), (8,3), (14,0) ))
print(add_tuples( (3,2), (11,1), (-2,6) ))
Note that these two lines of code should be at the bottom of your program. This should output
(23, 7)
(12, 9)
this is my output but I keep getting errors;
def add_tuples(tup):
add1= tup[0][0]+ tup[1][0] +tup[2][0]
add2= tup[0][1]+ tup[1][1] + tup[2][1]
return add1, add2
print(add_tuples( (1,4), (8,3), (14,0) ))
print(add_tuples( (3,2), (11,1), (-2,6) ))
In Python, tuples are indeed a data structure that also stores an ordered sequence of unchanging values, and following are the Python program to the given question:
Program Explanation:
Defining a method "add_tuples" that takes three variables "firstTuple, secondTuple, thirdTuple" into the parameter.After accepting the parameter value a return keyword is used that adds a single tuple with two values and returns its value into the form of (x,y).Outside the method, two print method is declared that calls the above method by passing value into its parameters.Program:
def add_tuples(firstTuple, secondTuple, thirdTuple):#defining a method add_tuples that takes three variable in parameters
return firstTuple[0]+secondTuple[0]+thirdTuple[0],firstTuple[1]+secondTuple[1]+thirdTuple[1] #using return keyword to add value
print(add_tuples((1,4), (8,3), (14,0)))#defining print method that calls add_tuples method takes value in parameters
print(add_tuples((3,2), (11,1), (-2,6)))#defining print method that calls add_tuples method takes value in parameters
Output:
Please find the attached file.
Learn more:
brainly.com/question/17079721
Which of the following usually addresses the question of what?
a. Data and information
b. Information and knowledge
c. Knowledge and data
d. Communication and feedback
Information is understood to be knowledge obtained by study, communication, research, or education. The result of information is fundamentally...
What is the starting point for communication?
Communication is the act of giving, receiving, or exchanging information, thoughts, or ideas with the intent of fully conveying a message to all persons involved. The sender, message, channel, receiver, feedback, and context are all parts of the two-way process that constitutes communication. We may connect with others, share our needs and experiences, and fortify our relationships through communication in daily life. We may share information, convey our emotions, and communicate our opinions through it. Giving, getting, and sharing information is the act of communicating.
To know more about education visit:-
https://brainly.com/question/18023991
#SPJ1
If You're is in credit card debt, why can't you just say your card was stolen so you can avoid the debt.
Please Help!! Thank You. What will happen in this program after the speak function is called for the first time?
Answer:
D The sprite will say "hi" twice.
Explanation:
the first call of the speak function specifies that:
if the word is not bye then the word will be repeated twice
so the sprite will say hi twice
Answer:
D.The sprite will say "hi" twice.
Explanation:
select the office suite that only works on macos and ios devices. select your answer, then click done.
The office suite that only works on macOS and iOS devices is iWork.
What is iWork?
Apple Inc. developed the office suite of programmes known as iWork for its macOS and iOS operating systems. It is also cross-platform through the iCloud website.
It comes with Keynote for presentations, Pages for writing and desktop publishing, Numbers for spreadsheets, and Keynote for desktop publishing.
[5] Apple's design objectives for iWork were to make it simple for Mac users to generate attractive documents and spreadsheets using the rich font library, built-in spell checker, advanced graphics APIs, and AppleScript automation framework in macOS.
Word, Excel, and PowerPoint are the respective equivalents of Pages, Numbers, and Keynote in the Microsoft Office suite.
[6] AAlthough iWork apps may export documents from their native forms (.pages,.numbers, and.key) to Microsoft Office formats, Microsoft Office applications cannot access iWork documents.
To know more about iWork, Check out:
https://brainly.com/question/28465993
#SPJ4
why it is important to follow the procedures and techniques inmaking paper mache?
pleaseee help i needed it right now
Answer:
otherwise it will go wrong
Match the following questions with the appropriate answers.
Where can you find contact information for ITS (tech support)?
Where can I find the refund and withdrawal dates for this
course?
Where can I find writing resources?
How do I send a private message to my instructor within
LearningZone?
Where can you find information about the HutchCC Campus
Store refund policy?
Where can you find the grading scale used in my course?
How do I view my grades in a course?
Here are the matching answers to the given questions:
1. Where can you find contact information for ITS (tech support)?
Answer: ITS contact information is available on the website. You can also call 620-665-3520, or stop by the office in the Shears Technology Center, room T143.2.
Where can I find the refund and withdrawal dates for this course?
Answer: Refund and withdrawal dates for the course can be found in the academic calendar.
3. Where can I find writing resources?
Answer: Writing resources are available in the writing center.
4. How do I send a private message to my instructor within LearningZone?
Answer: Click on the instructor's name to send a private message.
5. Where can you find information about the HutchCC Campus Store refund policy?
Answer: Information about the HutchCC Campus Store refund policy is available on the bookstore website.
6. Where can you find the grading scale used in my course?
Answer: The grading scale for the course is listed in the syllabus.
7. How do I view my grades in a course?
Answer: You can view your grades in a course by clicking on the "Grades" tab in LearningZone and selecting the course for which you want to see the grades.
For more such questions on tech support, click on:
https://brainly.com/question/27366294
#SPJ8
Which of these can be sorted with a bubble sort?
Answer:B
Explanation:
Host B is sending an email intended for the user on Host A to the email server. What protocol is being used to send the message through the router?
Answer:
I think that part A is correct option
The protocol that is being used for sending messages through the router is SMTP.
What is SMTP?The SMTP which is a simple mail transfer protocol is a simple electronic mail transmission tool that clients the mail servers and makes the use of agents to send and receive the mail.
Most of the user-level mail clients typically use SMTP only for ending messages to the mail servers for relaying. In the server ports 587 and 465 per RCF.
Find out more information about the email.
brainly.com/question/24688558
Can a 64-bit client communicate with a 32-bit database server?
In Power Center, a 64-bit Oracle database client and a 32-bit client can both connect to a 64-bit database server.
Explain about the Power Center?Power centers are sizable outdoor shopping malls that typically house three or more big-box retailers. Smaller shops and eateries that are free-standing or positioned in strip malls and encircled by a shared parking lot can be found among the more establishments in a power center.
Informatica Excellent GUIs are available for Power Center's administration, ETL design, and other functionality. It also has access to a variety of data sources, including relational data, mainframe data, data from third parties, and so forth.
Power Center is an enterprise data integration platform for the cloud that supports enterprises across the data integration life cycle. Users of the platform may control data integration projects, enterprise scalability, operational confidence, and data integration agility.
To learn more about Power Center refer to:
https://brainly.com/question/24858512
#SPJ4
solve(-8/3)+7/5 please answer
Answer:
hope this will help you more
Hey ! there
Answer:
-19/15 is the answerExplanation:
In this question we are given two fraction that are -8/3 and 7/5. And we have asked to add them .
Solution : -
\(\quad \: \dashrightarrow \qquad \: \dfrac{ - 8}{3} + \dfrac{7}{5} \)
Step 1 : Taking L.C.M of 3 and 5 , We get denominator 15 :
\(\quad \: \dashrightarrow \qquad \: \dfrac{ - 8(5) + 7(3)}{15} \)
Step 2 : Multiplying -8 with 5 and 7 with 3 :
\(\quad \: \dashrightarrow \qquad \: \dfrac{ - 40 + 21}{15} \)
Step 3 : Solving -40 and 21 :
\(\quad \: \dashrightarrow \qquad \: \red{\underline{ \boxed{ \frak{\dfrac{ - 19}{15} }}}} \quad \bigstar\)
Henceforth , -19/15 is the answer .#Keep LearningExplain the difference between an attribute and a value set.
The difference between an attribute and a value set is:
An attribute holds values, while a value set are those things which are contained in a classIn programming, there are some terms that are useful for a person that wants to write a code that works.
Some of these terms include:
AttributeValueClassFunctionMethod, etcAs a result of this, an attribute is the name that is given to the property of a class. On the other hand, a value set are those things that are used to represent an object in a given class.
For example, an attribute can have the name "Apples" and can hold the value of "abc" while the value set are those things that can be attributed to a class.
Read more here:
https://brainly.com/question/14477157
Can anyone give me tips on achieving my goal of getting my Nitro Type team number 1? Also, my name is JESUS_SAVED_ME. I am a gold member and the captain of JESUS-SAVES.
If you want to achieve your goal of getting your Nitro Type team number 1, you must be required to focus on your work including typing. All goals are accomplished with full focus and dedication.
How do you get the top 3 in Nitro type?The symbol showed up on the player on the track and in their garage. There are three ways one could have earned the Top 3 symbol. They are as follows:
Being in the top three as an individual in the 24-hour leaderboard.Being in the top three as an individual in the current season leaderboard.Earning a spot on the Hall of Fame.The highest WPM anyone has ever obtained without cheating is Joshua with a high speed of 249 WPM. Previous high-speed records include Joshua with 248 WPM [1], and before that, 247 WPM. If you want to overcome this guy, sharpen your skills with hard work, determination, perseverance, and concentration.
To learn more about Nitro type, refer to the link:
https://brainly.com/question/18847958
#SPJ1
Question 10 (5 points)
Which of the following represents the PC speed rating of a DDR4-1600 SDRAM
DIMM?
OPC4-12800
OPC4-6400
PC4-200
PC-200
Answer:
The PC speed rating of a DDR4-1600 SDRAM DIMM is PC4-12800.
Explanation:
What is wrong with this code and correct it.
def swapping_stars():
line_str = ""
for line in range(0, 6):
for char in range(0,6):
if line % 2 == char % 2:
line_str += "*"
else:
line_str += "-"
print(line_str)
Answer:
What's wrong?
The line_str variable needs to be re-initialized at the end of each printing
The correction
Include the following line immediately after the print statement
line_str = ""
Explanation:
Required
Correct the code
The conditions are correct. However, the string variable line_str needs to be set to an empty string at the end of every of the iteration loop.
This will allow the code to generate a new string.
So, the complete function is:
def swapping_stars():
line_str = ""
for line in range(0, 6):
for char in range(0,6):
if line % 2 == char%2:
line_str += "*"
else:
line_str += "-"
print(line_str)
line_str = ""
AUPs ensure that an organization’s network and internet are not abused. Select 3 options that describe AUPs.
connecting to unauthorized devices through the network
going onto unauthorized sites or downloading certain content
not sending spam or junk emails to anyone
not using the service to violate any law
reporting any attempt to break into one’s account
AUPs often involves not going onto unauthorized sites or downloading certain content, not using the service to violate any law, and not connecting to unauthorized devices through the network.
What is AUP?AUP stands for Acceptable Use Policy, which refers to a policy that regulates users when they access a corporate newtork.
How does an AUP regulates users?Most AUPs imply:
Users can only access certain sites and dowloading specific content is forbidden.The access to the internet or network cannot be used for criminal purposes.Only authorized users can connect to the corporate network.Learn more about AUP in: https://brainly.com/question/9509517
#SPJ1
Answer:
not sending spam or junk emails to anyone
not using the service to violate any law
reporting any attempt to break into one’s account
Explanation: