Answer:
B
Explanation:
Intro Programming - Problem(s)
1. General Process List
a. Write a series of roughly 15 steps for the process
Clean the bathroom in your home
This is not a computer problem, and it doesn't have variables or computer logic type structures. It's just a basic process list that you could give to anyone to follow.
The sequence that would be used to clean the bathroom in your home is:
Turn off the tapOpen the curtainsApply antiseptic to the bathroomApply a toilet washSpray air freshenerMop the floor, if they are tiledArrange the soap and other bath materials adequatelyWhat is a Sequence?This refers to the process through which a task is completed and this is usually done in a logical manner
Hence, we can see that The sequence that would be used to clean the bathroom in your home is given above.
Read more about computer sequence here:
https://brainly.com/question/16612919
#SPJ1
Which of the following statements are true for a zero-day attack? [Choose all that apply.]
A zero-day vulnerability can only exist within the operating systems
A zero-day attack is impossible to detect as it exploits the unknown vulnerabilities
A zero-day vulnerability can be example of an unknown threat
A zero-day vulnerability can only be discovered when the software is deployed
![Which of the following statements are true for a zero-day attack? [Choose all that apply.]A zero-day](https://i5t5.c14.e2-1.dev/h-images-qa/contents/attachments/3cLhAgCZWnol3dAKL8xNDylltNUslXzD.png) 
                                                The statement that is true for a zero-day attack is a zero-day attack is impossible to detect as it exploits the unknown vulnerabilities.
What is zero-day attack?Zero-day is a computer software vulnerability. Zero-day attack is a situation in which the hacker finds the vulnerability of the software before the developer fix it.
Thus, the correct option is B, A zero-day attack is impossible to detect as it exploits the unknown vulnerabilities.
Learn more about zero-day attack
https://brainly.com/question/13057686
#SPJ1
Drivers are concerned with the mileage their automobiles get. One driver has kept track of several tankfuls of gasoline by recording the miles driven and gallons used for each tankful. Develop a C# application that will input the miles driven and gallons used for each tankful. The application should calculate and display the miles per gallon obtained for each tankful and display the total combined miles per gallon obtained for all tankfuls up to this point. Additionally, the application should categorize and display the consumption rate of gasoline as follows: Low, if the total miles per gallon is greater than 30. • Normal, if the total miles per gallon is between 20 and 30. High, if the total miles per gallon is less than 20. All averaging calculations should produce floating-point results. Display the results rounded to the nearest hundredth. c# program 
To solve this problem with the help of C++ programing language, you must know concepts like variables, data type, if-else and while loop.
Step-by-step coding for the problem:
using System;
namespace GasOfMiles
{
public class Gas
{
static void Main(string[] args)
{
int miles; // miles for one tankful
int gallons; // gallons for one tankful
int totalMiles = 0; // total miles for trip
int totalGallons = 0; // total gallons for trip
double milesPerGallon; // miles per gallon for tankful
double totalMilesPerGallon; // miles per gallon for trip
// prompt user for miles and obtain the input from user
Console.Write("Enter miles (-1 to quit): ");
miles = Convert.ToInt32(Console.ReadLine());
// exit if the input is -1 otherwise, proceed with the program
while (miles != -1)
{
// prompt user for gallons and obtain the input from user
Console.Write("Enter gallons: ");
gallons = Convert.ToInt32(Console.ReadLine());
// add gallons and miles for this tank to totals
totalMiles += miles;
totalGallons += gallons;
// calculate miles per gallon for the current tank
if (gallons != 0)
{
milesPerGallon = (double)miles / gallons;
Console.WriteLine("MPG this tankful: {0:F}",
milesPerGallon);
} // end if statement
if (totalGallons != 0)
{
// calculate miles per gallon for the total trip
totalMilesPerGallon = (double)totalMiles / totalGallons;
Console.WriteLine("Total MPG: {0:F}\n", totalMilesPerGallon);
} // end if statement
// prompt user for new value for miles
Console.Write("Enter miles (-1 to quit): ");
miles = Convert.ToInt32(Console.ReadLine());
} // end while loop
Console.ReadKey();
}
}
}
To learn more about C++ Programming, visit: https://brainly.com/question/13441075
#SPJ9
What is the output of the first and second print statements?
import java.util.ArrayList;
public class addExample
{
 public static void main(String[] args) {
 ArrayList num1 = new ArrayList ();
 ArrayList num2 = new ArrayList ();
 num1.add(2);
 num1.add(4);
 num2.add(10);
 num2.add(20);
 System.out.println(num1.get(0)+1);
 System.out.println(num1.get(1)+ num2.get(0));
 }
}
The output of the first print statement is (blank)
and the output of the second statement is (blank).
Answer:
The answer to this question is given below in the explanation section.
Explanation:
When you will run the given code of java in this question. You will get an error and nothing will get printed in the response of the result. Because, in Java, you can't add the two array objects. The reason behind it, java does not support operator overloading. You cannot use the plus operator to add two arrays in Java . It will give you the compile-time error.
There is a method to add two arrays in the Java program is to iterate over them and add individual elements and store them into a new array. This also becomes complex, if you having arrays of different sizes. To go through this method, you have to build a method that will through an illegal exception in case of a mismatch in the sizes of the arrays.
As in the given code, when you execute the first print statement:
System.out.println(num1.get(0)+1);
It will produce error because first type is object and second is int. So, you cannot add object and int value.
When you will execute the given second print statement:
System.out.println(num1.get(1)+ num2.get(0));
it will also produce error, because you cannot add object in Java using + binary operator because in this statement first and second type are both objects.
Write VHDL code for the circuit corresponding to an 8-bit Carry Lookahead Adder (CLA) using structural VHDL (port maps). (To be completed before your lab session.)
Answer:
perdo si la pusiera es español te ayudo pero no esta en español
This is a Java programWrite a method with the following header to format the integer with the specified width. public String format(int number, int width) The method returns a string for the number with one or more prefix 0s. The size of the string is the width within the range 1 to 10000inclusive. For example, format(34, 4) returns 0034 and format(34,5) returns 00034. If the number is longer than the width, the method returns the string representation for the number. For example, format(34, 1) returns 34. Assume that, the size of the string is the width within the range 1 to 10000 inclusive and the number is an integer -2147483648 to 2147483648 inclusive.Input 34 4Output 0034You must use this particular Driver classclass DriverMain{public static void main(String args[]){Scanner input = new Scanner(System.in);int num = Integer.parseInt(input.nextLine().trim());int width = Integer.parseInt(input.nextLine().trim());GW6_P5 gw6P5 = new GW6_P5();System.out.print(gw6P5.format(num,width));}
Answer:
Following are the code to this question:
import java.util.*;//import package
public class DriverMain//defining a class DriverMain
{
public static void main(String args[])//main method
{
int num,width;
Scanner input = new Scanner(System.in);//creating Scanner class fore user input
num = Integer.parseInt(input.nextLine().trim());//input value
width = Integer.parseInt(input.nextLine().trim());//input value
GW6_P5 gw6P5 = new GW6_P5();//creating base class object
System.out.print(gw6P5.format(num,width));//print method that calls base class format method
}
}
class GW6_P5 //defining base class GW6_P5
{
String format(int number, int width)//defining method format that takes two integer variable in its parameter
{
String s = ""+number;//defining s String variable that holdes integer value
int digitCount = 0;//defining integer variable
while(number!=0) //defining while loop to check value is not equal to 0
{
digitCount++;//incrementing the integer variable value
number/=10;//holding quotient value
}
if(width>digitCount)//defining if block that checks width value greather then digitCount value
{
for(int i=0;i<width-digitCount;i++)//defining for loop to add 0 in String variable
{
s = "0"+s;//add value
}
}
return s;//return String value
}
}
Output:
34
5
00034
Explanation:
In the given code, a class "DriverMain" is defined, and inside the class main method is defined that defines two integer variable "num and width", that uses the scanner class to input the value, and in the next step the "GW6_P5" class object is created that calls the format method and print its values.
In the class "GW6_P5", the format method is defined, that declared the string and integer variables, in the while loop it checks number value not equal to 0, and increments the number values, and in the for loop it adds the 0 in string value and return its value.
What the difference Multiuser and single-user database system
Answer: The main difference between the single-user and multi-user system is the single-user system supports a maximum of one user to access the database but multi-user system supports a minimum of 2 users to access the database.
Explanation:
Using touch or mouse to move or copy cells is calLed_______.
Answer:
The answer to this question is given below in the explanation section.
Explanation:
Using touch or mouse to move or copy cells is called Drag and Drop.
It can be called dragging when moving, or dragging or filling when copying. If you are using Fill Handle, you are filling, but you can also drag to copy something to a non-contiguous location with the mouse, while holding the Ctrl key.
Write a python code that prompts the user for the value of n and prints the sum of the series 1+ 1/2+ 1/3 +…..+ 1/n
The Python code snippet that brings the user for the value of n and calculates the sum of the series 1 + 1/2 + 1/3 + ... + 1/n is given below
What is the python code?Python is a programming language that is versatile and has a high level of abstraction suitable for a variety of purposes. The emphasis of the design philosophy is on enhancing code readability through the utilization of significant indentation, which is implemented via the off-side rule.
One can use a for loop in this code to traverse from 1 up to n. In each round, the sum_series variable is incremented by the inverse of the present value of 'i'. the output of the value of sum_series, denoting the summation of the sequence comprising 1 + 1/2 + 1/3 + ... This could be expressed as the reciprocal of n, or one divided by n.
Learn more about python code from
https://brainly.com/question/26497128
#SPJ1
 
                                                            Discuss the relationship amongst the following basic file elements: • Field. • Record. • File. • Database. • Directory.
Answer:
describe two events from the life of the prophet that illustrate the way he treated non muslims3+15-75+375.
Explanation:
53+15-75+3756,1803+15-75+375describe two events from the life of the prophet that illustrate the way he treated non muslims
Task:
1. Create a user named Administrator with
unlimited amount of space
2. Change the password of Administrator
3. Grant update privileges on the
Student_name, GPA columns to
Administraor user from Student table
4. Remove Privilege Update from
Administrator
5. Create a profile named MGProfile with 2
sessions per user and the life time of
password is 160 and 3 failed attempts to
log in to the user account before the
account is locked.
Most frequent reasons for Windows operating system loading errors: broken or faulty BIOS. The size and settings of a computer hard disk are not supported by BIOS. damaged or faulty hard disk.
How to Fix Operating System Loading ErrorAny Windows laptop or computer may experience the problem of Windows Error Loading Operating System at any time. This occurs when the computer tries to boot but displays an error message such as "Error loading operating system."The good news is that you don't need to freak out when your computer won't turn on. You can try a number of tested techniques to recover your data and restore your device.Most frequent reasons for Windows operating system loading errors:Damaged or faulty BIOSThe size or settings of a computer hard drive are not supported by BIOS.damaged or faulty hard diskthe incorrect disk was selected as the bootable hard drive to load the operatingoperating system that is incompatible.To Learn more about loading errors refer to :
https://brainly.com/question/11472659
#SPJ1
How do a write 19/19 as a whole number 
Answer:
1.0
Explanation:
You divide 19 by 19 and get 1
Design a program that generates a sequence of N random numbers. The numbers lie between 1 and 9 inclusively. The program counts the number of times each number appears in the sequence. It then counts the number of times each count appears the list of counts. Suppose N = 100. The first table displays the number of times each number appears in the sequence of N numbers. The second table displays the number of times each count appears in the first table. “9” appears once in the first table, “10” appears twice in the first table and so on.
1st table
1 10
2 11
3 10
4 14
5 13
6 10
7 9
8 10
9 13
2nd table
9 1
10 4
11 1
13 2
14 1
differentiate between computer and computer system
A computer is a programmable device that can automatically perform a sequence of calculations or other operations on data once programmed for the task. It can store, retrieve, and process data according to internal instructions. A computer may be either digital, analog, or hybrid, although most in operation today are digital. Digital computers express variables as numbers, usually in the binary system. They are used for general purposes, whereas analog computers are built for specific tasks, typically scientific or technical. The term "computer" is usually synonymous with digital computer, and computers for business are exclusively digital.
The core, computing part of a computer is its central processing unit ( CPU), or processor. ... A computer system, therefore, is a computer combined with peripheral equipment and software so that it can perform desired functions.
Give brainliest please:)
What is Paul’s occupation?
Paul extensively uses ____software to create digital replicas of buildings. Paul is____
plato neeed help
.
By removing the necessity for manual coding, a website builder is a tool used to generate HTML websites. The system's backend is where the real web production happens, while the tool's user interface is used to create the website's design, structure, and layout.
What Paul’s occupation related to HTML software?Website builders come in two varieties: online and offline. You can develop a website on your home computer using software known as an offline website builder.
Therefore, Additionally, Paul extensively uses HTML software to create digital replicas of buildings. Paul is website's designer.
Learn more about HTML here:
https://brainly.com/question/24065854
#SPJ1
Which core business etiquette is missing in Jane
Answer:
As the question does not provide any context about who Jane is and what she has done, I cannot provide a specific answer about which core business etiquette is missing in Jane. However, in general, some of the key core business etiquettes that are important to follow in a professional setting include:
Punctuality: Arriving on time for meetings and appointments is a sign of respect for others and their time.
Professionalism: Maintaining a professional demeanor, dressing appropriately, and using appropriate language and tone of voice are important in projecting a positive image and establishing credibility.
Communication: Effective communication skills such as active listening, clear speaking, and appropriate use of technology are essential for building relationships and achieving business goals.
Respect: Treating others with respect, including acknowledging their opinions and perspectives, is key to building positive relationships and fostering a positive work environment.
Business etiquette: Familiarity with and adherence to appropriate business etiquette, such as proper introductions, handshakes, and business card exchanges, can help establish a positive first impression and build relationships.
It is important to note that specific business etiquettes may vary depending on the cultural and social norms of the particular workplace or industry.
what is the role of product management in agile safe
Product management plays a crucial role in Agile SAFe (Scaled Agile Framework) by defining desirable, viable, feasible, and sustainable solutions that meet customer needs and supporting development across the product life cycle.
In an Agile SAFe environment, product management acts as the bridge between the customer and the development teams. They are responsible for understanding customer needs, gathering feedback, and translating those needs into actionable requirements.
By collaborating with stakeholders, product management ensures that the product vision aligns with customer expectations.
To define desirable solutions, product management conducts market research, user interviews, and analyzes customer feedback. They identify market trends, user pain points, and prioritize features accordingly.
They work closely with customers to gather insights and validate product ideas through iterative feedback loops.
Viable solutions are determined by evaluating market demand, competitive landscape, and business objectives. Product management considers factors like revenue potential, market share, and return on investment to ensure the product is financially sustainable.
Feasible solutions require close collaboration with development teams. Product management works with engineering, design, and other teams to assess technical feasibility, define scope, and establish delivery timelines.
They engage in Agile ceremonies such as sprint planning, backlog refinement, and daily stand-ups to facilitate efficient development.
Sustainable solutions are designed with long-term success in mind. Product management focuses on creating scalable, adaptable products that can evolve with changing customer needs and market dynamics. They continuously monitor and analyze product performance, customer feedback, and market trends to make informed decisions and drive iterative improvements.
In summary, product management in Agile SAFe is responsible for understanding customer needs, defining desirable and viable solutions, ensuring technical feasibility, and supporting development teams throughout the product life cycle to deliver sustainable products that meet customer expectations.
For more such questions Product,click on
https://brainly.com/question/28776010
#SPJ8
E-commerce between businesses is B2B. E-commerce between businesses and consumers is called B2C. What are some examples of each? How do you think each entity (business, consumer) benefits from e-commerce? Bricks and clicks is a business model that incorporates both a physical presence and an online presence. Give some examples of businesses that follow the bricks and clicks model. Are there any businesses that have only an online presence?
Examples of B2B commerce may typically include the manufacturing of materials, clothing, car parts, and semiconductors. While examples of B2C commerce may include selling products directly to a consumer at home online. It includes Amazon, Flipkart, Walmart, etc.
What are the benefits of B2B and B2C commerce?An effective benefit of B2B e-commerce may include a digital experience platform that will enable your organization to expand and scale easily to meet market demand and customer needs, by opening new sales channels and continuously reaching new market segments.
The benefits of B2C commerce may typically include low cost, globalization, personalization, quality effectiveness, booming businesses, etc. Business to Consumer (B2C) is a business model in which businesses sell their products and services to customers.
Therefore, the examples of each commerce are well described above along with its benefits.
To learn more about E-commerce, refer to the link:
https://brainly.com/question/13165862
#SPJ1
100 POINTS Can someone help me write a code in python. a program which can test the validity of propositional logic. Remember, a propositional logical statement is invalid should you find any combination of input where the PROPOSITIONAL statements are ALL true, while the CONCLUSION statement is false.
Propositional Statements:
If someone has a rocket, that implies they’re an astronaut.
If someone is an astronaut, that implies they’re highly trained.
If someone is highly trained, that implies they’re educated.
Conclusion Statement:
A person is educated, that implies they have a rocket.
Your output should declare the statement to either be valid or invalid. If it’s invalid, it needs to state which combination of inputs yielded the statement invalid.
For the code that returns the above output see the attatched.
How does the above code work?Rocket(), astronaut(), highly trained(), and educated() are the four functions defined in the code that correlate to the propositional propositions. These functions just return the value of the argument passed in.
The test_proposition() method examines all possible input combinations and evaluates the conclusion statement. It returns the exact combination that invalidates the assertion if any combination produces the conclusion statement as false while all propositional statements are true. Otherwise, "Valid" is returned.
Learn more about code at:
https://brainly.com/question/26134656
#SPJ1
Advika needs to send files from one computer to another computer. Which of the following methods is the simplest ways to accomplish this task?
Make sure the two PCs are joined with the same Wi-Fi networks. Locate the file you want to send using File Explorer.
What is a computer?
A laptop is an electronic tool for handling data or information. It has the power to store, retrieve, and process data. You may already be aware of the fact that a computer may be used to make a report, send emails, play games, and surf the Internet.
What component of a computer is most vital?
Your computer's "brain" is the central developed the ability (CPU), often known as the processor. The complex calculations and programming that your computer performs while running apps or programs are all handled by the CPU.
To know more about computer visit:
https://brainly.com/question/21474169
#SPJ1
What is an example of an Experience component within an enterprise platform?
Answer:
A
Explanation:
A system used for processing customer payments. A tool used to coordinate recruitment of new employees. A mobile app used by customers to place orders.
What is the difference between popular art and high art?
Answer:
Explanation: In contrast, popular art often follows proven formulas that have been shown to appeal to large groups
What is output by the following code? c = 1 sum = 0 while (c < 10): c = c + 2 sum = sum + c print (sum)
With the given code, The code outputs 24.
How is this code run?On the first iteration, c is 1 and sum is 0, so c is incremented to 3 and sum is incremented to 3.
On the second iteration, c is 3 and sum is 3, so c is incremented to 5 and sum is incremented to 8.
On the third iteration, c is 5 and sum is 8, so c is incremented to 7 and sum is incremented to 15.
On the fourth iteration, c is 7 and sum is 15, so c is incremented to 9 and sum is incremented to 24.
At this point, c is no longer less than 10, so the while loop exits and the final value of sum is printed, which is 24.
Read more about programs here:
https://brainly.com/question/26134656
#SPJ1
Read the following code:
 x = 1
 (x < 26):
 print(x)
 x = x + 1
There is an error in the while loop. What should be fixed? (5 points)
Add quotation marks around the relational operator
Begin the statement with the proper keyword to start the loop
Change the parentheses around the test condition to quotation marks
Change the colon to a semicolon at the end of the statement
The given code snippet contains a syntax error in the while loop. To fix the error, the statement should be modified as follows:
x = 1
while x < 26:
print(x)
x = x + 1
The correction involves removing the parentheses around the test condition in the while loop. In Python, parentheses are not required for the condition in a while loop.
The condition itself is evaluated as a Boolean expression, and if it is true, the loop continues executing. By removing the unnecessary parentheses, the code becomes syntactically correct.
In Python, the while loop is used to repeatedly execute a block of code as long as a certain condition is true. The condition is evaluated before each iteration, and if it is true, the code inside the loop is executed. In this case, the code will print the value of the variable "x" and then increment it by 1 until "x" reaches the value of 26.
Therefore, the correct fix for the error in the while loop is to remove the parentheses around the test condition. This allows the code to execute as intended, repeatedly printing the value of "x" and incrementing it until it reaches 26.
For more questions on code
https://brainly.com/question/28338824
#SPJ11
Another name for computer
programs
Answer:
popo gggggggghhhhhhhghghgggggggggggghhhhhhhhhhhhhh
Write Java code to display a dialog box that asks the user to enter his or her desired annual income. Store the input in a double variable and display it in a message dialog box. public class AnnualIncome { public static void main(String[] args) { // Write your Java code here } }
Answer:
Follows are the code to the given question:
import java.util.*;//import package for user-input
public class AnnualIncome // defining a class AnnualIncome
{
public static void main(String[] as)//defining main method
{
double income;//defining double variable
Scanner obx=new Scanner(System.in);//creating Scanner class for user-input
System.out.print("Please enter your desired annual income: ");//print message
income=obx.nextDouble();//input double value
System.out.println("Your income "+income);//print value
}
}
Output:
Please enter your desired annual income: 98659.89
Your income 98659.89
Explanation:
In this code, a class "AnnualIncome" is declared, and inside the main method, the double variable "income" is defined, that uses the scanner class concept for input the value from the user-end, and in the next step, it uses the print method for asked user to enter value and it uses the print method, that prints income value with the given message.
Which of the following is an example of critical reading? 
Select all that apply: 
Accepting textual claims at face value Considering an argument from a different point of view 
Reviewing an argument to identify potential biases 
Skimming a text to locate spelling errors or typos 
Looking for ideas or concepts that confirm your beliefs
Answer:
Which of the following is an example of critical reading? Select all that apply:
a.Accepting textual claims at face valueb.Considering an argument from a different point of viewc. Reviewing an argument to identify potential biasesd. Skimming a text to locate spelling errors or typose. Looking for ideas or concepts that confirm your beliefs
Carefully 
1.) What do you call a computer-controlled test and measurement equipment that allows for testing with minimal human interaction? B.) DUT C.) SCRS A.) ATE D.) SOPS 
2.) What is the other term used in referring a digital multimeter? A.) analyzer B.) generator C.) fluke D.) scope 
3.) Which of the following is not part of the process flow under DUT? A.) communication C.) data analyzer B.) cost efficiency D.) test software 
4.) Which of the following is not classified as a passive electronic component? D.) transistor A.) capacitor B.) inductor C.) resistor 
5.) Which of the following statement best support debugging as a testing method for electronic components? A.) It is essential in maintaining an error free project. B.) It allows electronics engineer to showcase their skills. C.) It is useful in analyzing the functions of every electronic components. D.) It helps to identify the failures or flaws which can prevent the circuit from damaging.
 6.) What does the prefix "meta" under the word Metadata means? A.) set of codes B.) group of data C.) classifications of data or concept D.) underlying concept or explanation 
7.) What do you call a type of metadata wherein we have to be able to connect this back to the source data sets when we provide information to the end- user? A.) Extraction C.) Operational B.) End-user D.) Transformation 
8.) Which of the following is not a specialized tool? A.) Frequency Counter C.) Logic Analyzer B.) Function Generator D.) Spectrum Analyzer
 9.) What do you call a combination of hardware and software design with custom printed circuit boards (PCB) that are assembled into a fully functional prototype? A.) debugging B.) inspection C.) prototyping D.) testing 
10.) What do you call a specialized tool which is used in detecting the interference in the cables and electronic components? A.) Frequency Counter C.) Spectrum Analyzer B.) Function Generator
 11.) Which of the following is generator? A.) circular B.) sawtooth D.) Vector Network Analyzer Equipment not a generated waveform when using a function C.) sine D.) square 10
1.) A) ATE (Automated Test Equipment), 2.) C) fluke
3.) B) cost efficiency, 4.) D) transistor, 5.) D) It helps to identify the failures or flaws which can prevent the circuit from damaging, 6.) C) classifications of data or concept, 7.) A) Extraction
8.) D) Spectrum Analyzer, 9.) C) prototyping, 10.) C) Spectrum Analyzer, and 11.) B) sawtooth
What is an automated test equipment?Automated Test Equipment (ATE) is a computer-controlled testing system or equipment used to perform various tests and measurements on electronic devices, components, or systems.
It is commonly used in manufacturing, quality control, and research and development environments to ensure the proper functioning and reliability of electronic products.
learn more about Automated Test Equipment: https://brainly.com/question/30288648
#SPJ1
Claire needs to make an SRS document. Help her identify the given section and subsection.
The ___ subsection mentions the list of factors that may influence the requirements specified in the SRS. This subsection is part of the section named ___
Blank 1:
A. Scope
B. Purpose
C. Assumptions 
Blank 2:
A. Introduction 
B. General Description 
C. Specific Requirements 
Answer:
C and B in that order
Explanation:
where do you think data mining by companies will take us in the coming years
In the near future, the practice of companies engaging in data mining is expected to greatly influence diverse facets of our daily existence.
What is data miningThere are several possible paths that data mining could lead us towards.
Businesses will sustain their use of data excavation techniques to obtain knowledge about each individual customer, leading to personalization and customization. This data will be utilized to tailor products, services, and advertising strategies to suit distinctive tastes and requirements.
Enhanced Decision-Making: Through the use of data mining, companies can gain valuable perspectives that enable them to make more knowledgeable decisions.
Learn more about data mining from
https://brainly.com/question/2596411
#SPJ1