SlideShare a Scribd company logo
1 of 21
Download to read offline
C-Program: Custom Library, Header File, and Implementation Files
I have this main.c file:
#include
#include
#include "stats.h"
int readGrades(char fileName[], float grades[]);
//Include this function prototype
void WelcomeToTheProgram();
int main()
{
///Declare Variables
char fileName[30];
float grades[1000]; //to store grades
int i, ArrayCount[10] = {0}; //to store histogram counts
/* Rewrite this line */
int num_grades; //for # of grades in file
///Call Intro Comment
WelcomeToTheProgram();
///Enter Filename
printf("   Enter the data filename: ");
scanf("%s", &fileName);
//Get # of grades in file
num_grades = readGrades(fileName, grades); //get # of grades in file
///Print Results
printf("There are %d grades read ", num_grades);
printf("Mean = %f ", mean(grades, num_grades));
printf("Variance = %f  ", variance(grades, num_grades));
printf("Maximum = %f  ", maximum(grades, num_grades));
printf("Minumum = %f  ", minimum(grades, num_grades));
//Call histogram
histogram(grades, ArrayCount, num_grades);
//Print the histogram
printf("Grade Histogram ");
for (i = 0; i < 10; i++)
{
if (i != 9)
{
printf(" %d %% - %d %%: %d ", i * 10, ((i + 1) * 10) - 1, ArrayCount[i]);
}
else
{
printf(" 90 %% - 100 %%: %d ", ArrayCount[i]);
}
}
return 0;
}
///Reads all grades from the file to array
int readGrades(char fileName[], float grades[])
{
FILE *fpin = fopen(fileName, "r");
int num_scores = 0;
float value;
if (fpin == NULL)
{
printf("Cannot open the file ");
exit(0);
}
while ((fscanf(fpin, "%f", &value)) != EOF)
{
grades[num_scores] = value;
num_scores++;
}
return num_scores;
}
void WelcomeToTheProgram()
{
printf("***Welcome to the Program Which Involves a Custom Library***");
printf(" The program finds the minimum value, maximum value, mean,");
printf("variance, and a histogram of the grades of data by calling");
printf("implementation files min(), max(), mean(), variance(), and histogram(). ");
}
But, the only thing that prints is
Enter the data file name: grades.txt
There are 400 grades read.
Then the program just stops, it does not print the min, max, mean, variance, or histogram. Any
ideas? Am I using the custom library wrong, the implementation files (for min, max, mean,
variance, and histogram) all check out with no warnings or errors.
Here is stats.h:
#ifndef STATS_H
#define STATS_H
float minimum(float *grades[], int Size); // NOTE: You need to complete the prototypes
float maximum(float *grades[], int Size);
float mean(float *grades[], int Size);
float variance(float *grades[], int Size);
void histogram(float *grades[], int *ArrayCount, int Size);
#endif // STATS_H
And here is the grades file:
Solution
//stats.h
#ifndef STATS_H
#define STATS_H
float minimum(float grades[], int Size); // NOTE: You need to complete the prototypes
float maximum(float grades[], int Size);
float mean(float grades[], int Size);
float variance(float grades[], int Size);
void histogram(float grades[], int ArrayCount[], int Size);
#endif // STATS_H
//min.c
#include
#include
#include "stats.h"
float minimum(float grades[], int Size)
{
int min = grades[0];
for (int i = 0; i < Size; ++i)
{
if(grades[i] < min)
min = grades[i];
}
return min;
}
//max.c
#include
#include
#include "stats.h"
float maximum(float grades[], int Size)
{
int max = grades[0];
for (int i = 0; i < Size; ++i)
{
if(grades[i] > max)
max = grades[i];
}
return max;
}
//mean.c
#include
#include
#include "stats.h"
float mean(float grades[], int Size)
{
float sum = 0;
for (int i = 0; i < Size; ++i)
{
sum = sum + grades[i];
}
return sum/Size;
}
//variance.c
#include
#include
#include "stats.h"
float variance(float grades[], int Size)
{
float sum = 0;
for (int i = 0; i < Size; ++i)
{
sum = sum + grades[i];
}
float avg = sum/Size;
sum = 0;
for (int i = 0; i < Size; ++i)
{
sum = sum + (grades[i] - avg)*(grades[i] - avg);
}
return (sum/Size);
}
//histogram.c
#include
#include
#include "stats.h"
void histogram(float grades[], int ArrayCount[], int Size)
{
for (int i = 0; i < Size; ++i)
{
if(grades[i] > 0)
{
if(grades[i] > 10)
{
if(grades[i] > 20)
{
if(grades[i] > 30)
{
if(grades[i] > 40)
{
if(grades[i] > 50)
{
if(grades[i] > 60)
{
if(grades[i] > 70)
{
if(grades[i] > 80)
{
if(grades[i] > 90)
{
ArrayCount[9]++;
}
else
ArrayCount[8]++;
}
else
ArrayCount[7]++;
}
else
ArrayCount[6]++;
}
else
ArrayCount[5]++;
}
else
ArrayCount[4]++;
}
else
ArrayCount[3]++;
}
else
ArrayCount[2]++;
}
else
ArrayCount[1]++;
}
else
ArrayCount[0]++;
}
}
}
// main.c
#include
#include
#include "stats.h"
int readGrades(char fileName[], float grades[]);
//Include this function prototype
void WelcomeToTheProgram();
int main()
{
///Declare Variables
char fileName[30];
float grades[1000]; //to store grades
int i, ArrayCount[10] = {0}; //to store histogram counts
/* Rewrite this line */
int num_grades; //for # of grades in file
///Call Intro Comment
WelcomeToTheProgram();
///Enter Filename
printf("   Enter the data filename: ");
scanf("%s", fileName);
//Get # of grades in file
num_grades = readGrades(fileName, grades); //get # of grades in file
///Print Results
printf("There are %d grades read ", num_grades);
printf("Mean = %f ", mean(grades, num_grades));
printf("Variance = %f  ", variance(grades, num_grades));
printf("Maximum = %f  ", maximum(grades, num_grades));
printf("Minumum = %f  ", minimum(grades, num_grades));
//Call histogram
histogram(grades, ArrayCount, num_grades);
//Print the histogram
printf("Grade Histogram ");
for (i = 0; i < 10; i++)
{
if (i != 9)
{
printf(" %d %% - %d %%: %d ", i * 10, ((i + 1) * 10) - 1, ArrayCount[i]);
}
else
{
printf(" 90 %% - 100 %%: %d ", ArrayCount[i]);
}
}
return 0;
}
///Reads all grades from the file to array
int readGrades(char fileName[], float grades[])
{
FILE *fpin = fopen(fileName, "r");
int num_scores = 0;
float value;
if (fpin == NULL)
{
printf("Cannot open the file ");
exit(0);
}
while ((fscanf(fpin, "%f", &value)) != EOF)
{
grades[num_scores] = value;
num_scores++;
}
return num_scores;
}
void WelcomeToTheProgram()
{
printf("***Welcome to the Program Which Involves a Custom Library***");
printf(" The program finds the minimum value, maximum value, mean,");
printf("variance, and a histogram of the grades of data by calling");
printf("implementation files min(), max(), mean(), variance(), and histogram(). ");
}
/*
compile: cc main.c min.c max.c variance.c mean.c histogram.c
run ./a.out
grades.txt
60.2
84.9
57.4
70.2
68.4
55.3
42.3
55.4
54.1
65.9
60.2
66.5
67.6
62.1
37.5
73.7
53.4
77.4
52.0
57.6
51.3
47.0
78.5
46.4
58.1
87.7
49.0
32.3
50.4
80.8
75.9
70.7
54.1
74.2
33.5
57.3
41.1
72.7
57.5
55.8
46.4
47.1
47.5
60.7
37.7
54.1
67.0
34.6
76.6
59.4
80.8
72.5
72.2
57.4
71.4
90.5
31.9
66.4
47.5
46.8
77.9
46.9
34.7
50.9
58.3
63.3
50.1
68.4
79.6
69.1
61.4
68.1
75.2
33.4
62.9
64.3
49.2
57.6
41.9
55.7
55.8
35.2
45.1
54.2
43.4
45.6
73.5
57.5
67.2
62.8
45.0
47.9
63.5
80.7
70.9
49.5
49.6
80.9
64.0
60.7
70.4
46.1
59.4
76.9
46.4
68.1
50.8
36.7
58.3
60.5
75.2
71.9
53.9
62.5
54.4
55.3
74.6
63.1
71.9
73.5
69.9
60.2
64.7
63.4
62.3
74.4
66.7
69.9
15.1
39.2
56.6
42.8
55.7
30.2
75.2
76.0
56.2
78.0
73.1
54.0
76.6
94.8
58.5
46.0
73.8
58.1
44.5
56.2
62.8
55.3
78.8
64.7
63.3
83.7
58.4
44.6
83.0
57.0
49.3
72.1
61.0
49.2
73.2
44.1
56.9
40.7
61.9
65.6
86.5
52.5
73.5
48.4
46.1
49.3
46.2
90.2
74.6
71.5
60.4
49.1
67.3
62.9
77.0
66.5
62.7
46.8
69.2
63.9
68.8
82.8
53.1
31.6
35.2
84.9
75.5
77.7
81.7
52.3
38.8
70.9
63.2
84.7
65.0
51.2
54.0
71.9
67.5
67.5
62.0
85.3
59.7
57.0
52.2
56.9
96.7
50.4
57.1
54.4
56.3
62.9
60.2
52.9
29.9
39.7
88.3
69.5
63.3
82.4
51.2
64.1
50.9
64.9
70.3
81.3
50.0
67.5
88.4
40.8
39.8
77.6
100.0
67.6
51.0
51.1
39.9
45.9
74.1
54.0
64.9
62.7
57.3
52.7
62.0
64.1
55.6
54.1
49.8
51.8
69.3
58.0
46.5
66.3
58.3
69.4
55.7
72.6
42.9
44.8
69.6
56.0
60.1
62.1
66.5
72.4
25.2
44.9
56.3
56.7
68.0
52.2
68.0
62.6
37.4
55.3
81.6
60.5
74.6
29.3
57.8
34.6
56.3
79.2
56.1
64.9
43.0
64.3
69.1
67.6
62.9
47.2
44.8
73.9
63.7
73.0
50.5
61.1
61.8
0.8
37.2
67.3
88.1
76.3
70.6
61.7
70.6
78.6
78.3
58.9
46.1
71.6
52.5
56.1
53.6
72.7
48.6
31.4
66.3
59.0
66.6
55.7
62.2
49.2
30.9
37.7
46.3
49.6
51.9
55.8
48.3
72.7
41.3
75.5
67.1
53.7
67.7
55.8
63.2
60.6
83.5
74.5
40.5
59.3
55.5
0.0
49.1
52.1
91.7
51.0
66.9
48.9
64.9
61.7
62.6
51.5
47.8
78.3
61.2
41.4
53.9
59.9
51.5
61.7
53.1
58.9
56.1
84.8
71.9
69.2
64.3
61.0
46.5
79.8
73.3
51.1
74.6
52.4
77.2
57.4
67.3
55.4
81.8
63.0
68.2
62.8
66.0
60.4
83.8
67.5
21.3
57.8
output:
***Welcome to the Program Which Involves a Custom Library***
The program finds the minimum value, maximum value, mean,variance, and a histogram of the
grades of data by callingimplementation files min(), max(), mean(), variance(), and histogram().
Enter the data filename: grades.txt
There are 400 grades read
Mean = 60.022758
Variance = 204.935898
Maximum = 100.000000
Minumum = 0.000000
Grade Histogram
0 % - 9 %: 2
10 % - 19 %: 1
20 % - 29 %: 4
30 % - 39 %: 24
40 % - 49 %: 59
50 % - 59 %: 105
60 % - 69 %: 108
70 % - 79 %: 67
80 % - 89 %: 24
90 % - 100 %: 6
*/

More Related Content

Similar to C-Program Custom Library, Header File, and Implementation FilesI .pdf

The purpose of this C++ programming project is to allow the student .pdf
The purpose of this C++ programming project is to allow the student .pdfThe purpose of this C++ programming project is to allow the student .pdf
The purpose of this C++ programming project is to allow the student .pdfRahul04August
 
C programming.   For this code I only need to add a function so th.pdf
C programming.   For this code I only need to add a function so th.pdfC programming.   For this code I only need to add a function so th.pdf
C programming.   For this code I only need to add a function so th.pdfbadshetoms
 
Introduction to Basic C programming 01
Introduction to Basic C programming 01Introduction to Basic C programming 01
Introduction to Basic C programming 01Wingston
 
C intro
C introC intro
C introKamran
 
Input output functions
Input output functionsInput output functions
Input output functionshyderali123
 
Write a C++ program 1. Study the function process_text() in file.pdf
Write a C++ program 1. Study the function process_text() in file.pdfWrite a C++ program 1. Study the function process_text() in file.pdf
Write a C++ program 1. Study the function process_text() in file.pdfjillisacebi75827
 
So basically I worked really hard on this code in my CS150 class and.pdf
So basically I worked really hard on this code in my CS150 class and.pdfSo basically I worked really hard on this code in my CS150 class and.pdf
So basically I worked really hard on this code in my CS150 class and.pdfeyewaregallery
 
IN C LANGUAGE- I've been trying to finish this program for the last fe.docx
IN C LANGUAGE- I've been trying to finish this program for the last fe.docxIN C LANGUAGE- I've been trying to finish this program for the last fe.docx
IN C LANGUAGE- I've been trying to finish this program for the last fe.docxGordonpACKellyb
 

Similar to C-Program Custom Library, Header File, and Implementation FilesI .pdf (20)

The purpose of this C++ programming project is to allow the student .pdf
The purpose of this C++ programming project is to allow the student .pdfThe purpose of this C++ programming project is to allow the student .pdf
The purpose of this C++ programming project is to allow the student .pdf
 
Arrays
ArraysArrays
Arrays
 
C programming.   For this code I only need to add a function so th.pdf
C programming.   For this code I only need to add a function so th.pdfC programming.   For this code I only need to add a function so th.pdf
C programming.   For this code I only need to add a function so th.pdf
 
Introduction to Basic C programming 01
Introduction to Basic C programming 01Introduction to Basic C programming 01
Introduction to Basic C programming 01
 
Tut1
Tut1Tut1
Tut1
 
L8 file
L8 fileL8 file
L8 file
 
Data structures
Data structuresData structures
Data structures
 
7 functions
7  functions7  functions
7 functions
 
C_Arrays.pptx
C_Arrays.pptxC_Arrays.pptx
C_Arrays.pptx
 
Cpds lab
Cpds labCpds lab
Cpds lab
 
Array
ArrayArray
Array
 
PPS Notes Unit 5.pdf
PPS Notes Unit 5.pdfPPS Notes Unit 5.pdf
PPS Notes Unit 5.pdf
 
C intro
C introC intro
C intro
 
Input output functions
Input output functionsInput output functions
Input output functions
 
Write a C++ program 1. Study the function process_text() in file.pdf
Write a C++ program 1. Study the function process_text() in file.pdfWrite a C++ program 1. Study the function process_text() in file.pdf
Write a C++ program 1. Study the function process_text() in file.pdf
 
Chapter 2
Chapter 2Chapter 2
Chapter 2
 
CHAPTER 5
CHAPTER 5CHAPTER 5
CHAPTER 5
 
data_structure (1).pptx
data_structure (1).pptxdata_structure (1).pptx
data_structure (1).pptx
 
So basically I worked really hard on this code in my CS150 class and.pdf
So basically I worked really hard on this code in my CS150 class and.pdfSo basically I worked really hard on this code in my CS150 class and.pdf
So basically I worked really hard on this code in my CS150 class and.pdf
 
IN C LANGUAGE- I've been trying to finish this program for the last fe.docx
IN C LANGUAGE- I've been trying to finish this program for the last fe.docxIN C LANGUAGE- I've been trying to finish this program for the last fe.docx
IN C LANGUAGE- I've been trying to finish this program for the last fe.docx
 

More from herminaherman

Write an equation for the height of the point P above the ground as .pdf
Write an equation for the height of the point P above the ground as .pdfWrite an equation for the height of the point P above the ground as .pdf
Write an equation for the height of the point P above the ground as .pdfherminaherman
 
Wild-type (WT) mice are irradiated, destroying all of their bone marr.pdf
Wild-type (WT) mice are irradiated, destroying all of their bone marr.pdfWild-type (WT) mice are irradiated, destroying all of their bone marr.pdf
Wild-type (WT) mice are irradiated, destroying all of their bone marr.pdfherminaherman
 
Which of the following is considered to be a distributed denial of s.pdf
Which of the following is considered to be a distributed denial of s.pdfWhich of the following is considered to be a distributed denial of s.pdf
Which of the following is considered to be a distributed denial of s.pdfherminaherman
 
Which of the folllowing statements about the solubility of 1- propan.pdf
Which of the folllowing statements about the solubility of 1- propan.pdfWhich of the folllowing statements about the solubility of 1- propan.pdf
Which of the folllowing statements about the solubility of 1- propan.pdfherminaherman
 
What type of mutation that impacts splicing is a significant contrib.pdf
What type of mutation that impacts splicing is a significant contrib.pdfWhat type of mutation that impacts splicing is a significant contrib.pdf
What type of mutation that impacts splicing is a significant contrib.pdfherminaherman
 
What data indicate that all three germ layers are specified in the b.pdf
What data indicate that all three germ layers are specified in the b.pdfWhat data indicate that all three germ layers are specified in the b.pdf
What data indicate that all three germ layers are specified in the b.pdfherminaherman
 
Unlike RNA, DNA containsA. adenine.B. uracil.C. phosphate grou.pdf
Unlike RNA, DNA containsA. adenine.B. uracil.C. phosphate grou.pdfUnlike RNA, DNA containsA. adenine.B. uracil.C. phosphate grou.pdf
Unlike RNA, DNA containsA. adenine.B. uracil.C. phosphate grou.pdfherminaherman
 
Use provided HTML file.Create JavaScript file to validate user i.pdf
Use provided HTML file.Create JavaScript file to validate user i.pdfUse provided HTML file.Create JavaScript file to validate user i.pdf
Use provided HTML file.Create JavaScript file to validate user i.pdfherminaherman
 
Two four-sided dice are rolled. One die has the letters A through D..pdf
Two four-sided dice are rolled. One die has the letters A through D..pdfTwo four-sided dice are rolled. One die has the letters A through D..pdf
Two four-sided dice are rolled. One die has the letters A through D..pdfherminaherman
 
The job of a CODEC (CoderDecoder) is to Convert an analog voice si.pdf
The job of a CODEC (CoderDecoder) is to  Convert an analog voice si.pdfThe job of a CODEC (CoderDecoder) is to  Convert an analog voice si.pdf
The job of a CODEC (CoderDecoder) is to Convert an analog voice si.pdfherminaherman
 
Question 4 Constructive retirement is when A. P buys Ss common stoc.pdf
Question 4 Constructive retirement is when A. P buys Ss common stoc.pdfQuestion 4 Constructive retirement is when A. P buys Ss common stoc.pdf
Question 4 Constructive retirement is when A. P buys Ss common stoc.pdfherminaherman
 
Private and Public Health are working together through many program .pdf
Private and Public Health are working together through many program .pdfPrivate and Public Health are working together through many program .pdf
Private and Public Health are working together through many program .pdfherminaherman
 
Name the two standards that are supported by major DBMSs for distrib.pdf
Name the two standards that are supported by major DBMSs for distrib.pdfName the two standards that are supported by major DBMSs for distrib.pdf
Name the two standards that are supported by major DBMSs for distrib.pdfherminaherman
 
Material Manufacturing Name 3 ways that the properties of thermosett.pdf
Material Manufacturing Name 3 ways that the properties of thermosett.pdfMaterial Manufacturing Name 3 ways that the properties of thermosett.pdf
Material Manufacturing Name 3 ways that the properties of thermosett.pdfherminaherman
 
Mean can be computed for variables with ordinal-level measurements..pdf
Mean can be computed for variables with ordinal-level measurements..pdfMean can be computed for variables with ordinal-level measurements..pdf
Mean can be computed for variables with ordinal-level measurements..pdfherminaherman
 
Let u_1, u_2 be finite dimensional subspaces of a vector space V. Sho.pdf
Let u_1, u_2 be finite dimensional subspaces of a vector space V. Sho.pdfLet u_1, u_2 be finite dimensional subspaces of a vector space V. Sho.pdf
Let u_1, u_2 be finite dimensional subspaces of a vector space V. Sho.pdfherminaherman
 
IV. Which compound would have the higher water solubility, tetrahydro.pdf
IV. Which compound would have the higher water solubility, tetrahydro.pdfIV. Which compound would have the higher water solubility, tetrahydro.pdf
IV. Which compound would have the higher water solubility, tetrahydro.pdfherminaherman
 
Interseting discussion topic,want to chime inDescribe a symbol .pdf
Interseting discussion topic,want to chime inDescribe a symbol .pdfInterseting discussion topic,want to chime inDescribe a symbol .pdf
Interseting discussion topic,want to chime inDescribe a symbol .pdfherminaherman
 
IN JAVA Write a program to create a binary data file named RandomInt.pdf
IN JAVA Write a program to create a binary data file named RandomInt.pdfIN JAVA Write a program to create a binary data file named RandomInt.pdf
IN JAVA Write a program to create a binary data file named RandomInt.pdfherminaherman
 
I wanna add the shape creator like rectangular , square , circle etc.pdf
I wanna add the shape creator like rectangular , square , circle etc.pdfI wanna add the shape creator like rectangular , square , circle etc.pdf
I wanna add the shape creator like rectangular , square , circle etc.pdfherminaherman
 

More from herminaherman (20)

Write an equation for the height of the point P above the ground as .pdf
Write an equation for the height of the point P above the ground as .pdfWrite an equation for the height of the point P above the ground as .pdf
Write an equation for the height of the point P above the ground as .pdf
 
Wild-type (WT) mice are irradiated, destroying all of their bone marr.pdf
Wild-type (WT) mice are irradiated, destroying all of their bone marr.pdfWild-type (WT) mice are irradiated, destroying all of their bone marr.pdf
Wild-type (WT) mice are irradiated, destroying all of their bone marr.pdf
 
Which of the following is considered to be a distributed denial of s.pdf
Which of the following is considered to be a distributed denial of s.pdfWhich of the following is considered to be a distributed denial of s.pdf
Which of the following is considered to be a distributed denial of s.pdf
 
Which of the folllowing statements about the solubility of 1- propan.pdf
Which of the folllowing statements about the solubility of 1- propan.pdfWhich of the folllowing statements about the solubility of 1- propan.pdf
Which of the folllowing statements about the solubility of 1- propan.pdf
 
What type of mutation that impacts splicing is a significant contrib.pdf
What type of mutation that impacts splicing is a significant contrib.pdfWhat type of mutation that impacts splicing is a significant contrib.pdf
What type of mutation that impacts splicing is a significant contrib.pdf
 
What data indicate that all three germ layers are specified in the b.pdf
What data indicate that all three germ layers are specified in the b.pdfWhat data indicate that all three germ layers are specified in the b.pdf
What data indicate that all three germ layers are specified in the b.pdf
 
Unlike RNA, DNA containsA. adenine.B. uracil.C. phosphate grou.pdf
Unlike RNA, DNA containsA. adenine.B. uracil.C. phosphate grou.pdfUnlike RNA, DNA containsA. adenine.B. uracil.C. phosphate grou.pdf
Unlike RNA, DNA containsA. adenine.B. uracil.C. phosphate grou.pdf
 
Use provided HTML file.Create JavaScript file to validate user i.pdf
Use provided HTML file.Create JavaScript file to validate user i.pdfUse provided HTML file.Create JavaScript file to validate user i.pdf
Use provided HTML file.Create JavaScript file to validate user i.pdf
 
Two four-sided dice are rolled. One die has the letters A through D..pdf
Two four-sided dice are rolled. One die has the letters A through D..pdfTwo four-sided dice are rolled. One die has the letters A through D..pdf
Two four-sided dice are rolled. One die has the letters A through D..pdf
 
The job of a CODEC (CoderDecoder) is to Convert an analog voice si.pdf
The job of a CODEC (CoderDecoder) is to  Convert an analog voice si.pdfThe job of a CODEC (CoderDecoder) is to  Convert an analog voice si.pdf
The job of a CODEC (CoderDecoder) is to Convert an analog voice si.pdf
 
Question 4 Constructive retirement is when A. P buys Ss common stoc.pdf
Question 4 Constructive retirement is when A. P buys Ss common stoc.pdfQuestion 4 Constructive retirement is when A. P buys Ss common stoc.pdf
Question 4 Constructive retirement is when A. P buys Ss common stoc.pdf
 
Private and Public Health are working together through many program .pdf
Private and Public Health are working together through many program .pdfPrivate and Public Health are working together through many program .pdf
Private and Public Health are working together through many program .pdf
 
Name the two standards that are supported by major DBMSs for distrib.pdf
Name the two standards that are supported by major DBMSs for distrib.pdfName the two standards that are supported by major DBMSs for distrib.pdf
Name the two standards that are supported by major DBMSs for distrib.pdf
 
Material Manufacturing Name 3 ways that the properties of thermosett.pdf
Material Manufacturing Name 3 ways that the properties of thermosett.pdfMaterial Manufacturing Name 3 ways that the properties of thermosett.pdf
Material Manufacturing Name 3 ways that the properties of thermosett.pdf
 
Mean can be computed for variables with ordinal-level measurements..pdf
Mean can be computed for variables with ordinal-level measurements..pdfMean can be computed for variables with ordinal-level measurements..pdf
Mean can be computed for variables with ordinal-level measurements..pdf
 
Let u_1, u_2 be finite dimensional subspaces of a vector space V. Sho.pdf
Let u_1, u_2 be finite dimensional subspaces of a vector space V. Sho.pdfLet u_1, u_2 be finite dimensional subspaces of a vector space V. Sho.pdf
Let u_1, u_2 be finite dimensional subspaces of a vector space V. Sho.pdf
 
IV. Which compound would have the higher water solubility, tetrahydro.pdf
IV. Which compound would have the higher water solubility, tetrahydro.pdfIV. Which compound would have the higher water solubility, tetrahydro.pdf
IV. Which compound would have the higher water solubility, tetrahydro.pdf
 
Interseting discussion topic,want to chime inDescribe a symbol .pdf
Interseting discussion topic,want to chime inDescribe a symbol .pdfInterseting discussion topic,want to chime inDescribe a symbol .pdf
Interseting discussion topic,want to chime inDescribe a symbol .pdf
 
IN JAVA Write a program to create a binary data file named RandomInt.pdf
IN JAVA Write a program to create a binary data file named RandomInt.pdfIN JAVA Write a program to create a binary data file named RandomInt.pdf
IN JAVA Write a program to create a binary data file named RandomInt.pdf
 
I wanna add the shape creator like rectangular , square , circle etc.pdf
I wanna add the shape creator like rectangular , square , circle etc.pdfI wanna add the shape creator like rectangular , square , circle etc.pdf
I wanna add the shape creator like rectangular , square , circle etc.pdf
 

Recently uploaded

Hierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementHierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementmkooblal
 
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptxPOINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptxSayali Powar
 
Alper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentAlper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentInMediaRes1
 
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️9953056974 Low Rate Call Girls In Saket, Delhi NCR
 
Pharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfPharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfMahmoud M. Sallam
 
Introduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxIntroduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxpboyjonauth
 
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions  for the students and aspirants of Chemistry12th.pptxOrganic Name Reactions  for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions for the students and aspirants of Chemistry12th.pptxVS Mahajan Coaching Centre
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Educationpboyjonauth
 
Meghan Sutherland In Media Res Media Component
Meghan Sutherland In Media Res Media ComponentMeghan Sutherland In Media Res Media Component
Meghan Sutherland In Media Res Media ComponentInMediaRes1
 
Capitol Tech U Doctoral Presentation - April 2024.pptx
Capitol Tech U Doctoral Presentation - April 2024.pptxCapitol Tech U Doctoral Presentation - April 2024.pptx
Capitol Tech U Doctoral Presentation - April 2024.pptxCapitolTechU
 
Final demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxFinal demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxAvyJaneVismanos
 
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdfssuser54595a
 
Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Celine George
 
CELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxCELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxJiesonDelaCerna
 
Crayon Activity Handout For the Crayon A
Crayon Activity Handout For the Crayon ACrayon Activity Handout For the Crayon A
Crayon Activity Handout For the Crayon AUnboundStockton
 
How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17Celine George
 
Earth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatEarth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatYousafMalik24
 

Recently uploaded (20)

Hierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementHierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of management
 
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptxPOINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
POINT- BIOCHEMISTRY SEM 2 ENZYMES UNIT 5.pptx
 
Alper Gobel In Media Res Media Component
Alper Gobel In Media Res Media ComponentAlper Gobel In Media Res Media Component
Alper Gobel In Media Res Media Component
 
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
 
Pharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfPharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdf
 
Introduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxIntroduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptx
 
9953330565 Low Rate Call Girls In Rohini Delhi NCR
9953330565 Low Rate Call Girls In Rohini  Delhi NCR9953330565 Low Rate Call Girls In Rohini  Delhi NCR
9953330565 Low Rate Call Girls In Rohini Delhi NCR
 
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions  for the students and aspirants of Chemistry12th.pptxOrganic Name Reactions  for the students and aspirants of Chemistry12th.pptx
Organic Name Reactions for the students and aspirants of Chemistry12th.pptx
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Education
 
Meghan Sutherland In Media Res Media Component
Meghan Sutherland In Media Res Media ComponentMeghan Sutherland In Media Res Media Component
Meghan Sutherland In Media Res Media Component
 
Capitol Tech U Doctoral Presentation - April 2024.pptx
Capitol Tech U Doctoral Presentation - April 2024.pptxCapitol Tech U Doctoral Presentation - April 2024.pptx
Capitol Tech U Doctoral Presentation - April 2024.pptx
 
Final demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxFinal demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptx
 
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
 
Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17
 
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
 
CELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxCELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptx
 
Model Call Girl in Bikash Puri Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Bikash Puri  Delhi reach out to us at 🔝9953056974🔝Model Call Girl in Bikash Puri  Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Bikash Puri Delhi reach out to us at 🔝9953056974🔝
 
Crayon Activity Handout For the Crayon A
Crayon Activity Handout For the Crayon ACrayon Activity Handout For the Crayon A
Crayon Activity Handout For the Crayon A
 
How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17
 
Earth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatEarth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice great
 

C-Program Custom Library, Header File, and Implementation FilesI .pdf