Reputation: 33
I have been trying a few things out with 'extern' keyword. I wrote this basic function and I am not sure why my print function is not working. Kindly help me in understanding it.
test1.h
#pragma once
#include<iostream>
using namespace std;
extern int a;
extern void print();
test1.cpp
#include "test1.h"
extern int a = 745;
extern void print() {
cout << "hi "<< a <<endl;
}
test2.cpp
#include"test1.h"
extern int a;
extern void print();
int b = ++a;
int main()
{
cout << "hello a is " << b << endl;
void print();
return 0;
}
Actual output :
hello a is 746
Expected output:
hello a is 746
hi 746
Upvotes: 1
Views: 780
Reputation: 451
You need to use extern only when you are declaring variable/function, and define the variable in one of the cpp files,which include the header.
So, what you want to do is
test1.h
#pragma once
#include<iostream>
using namespace std;
extern int a;
extern void print();
test1.cpp
#include "test1.h"
int a = 745;
void print() {
cout << "hi "<< a <<endl;
}
test2.cpp
#include"test1.h"
int b = ++a;
int main()
{
cout << "hello a is " << b << endl;
print();
return 0;
}
Upvotes: 0
Reputation: 9682
test1.cpp
#include "test1.h"
int a = 745; //< don't need extern here
void print() { //< or here
cout << "hi "<< a <<endl;
}
test2.cpp
#include"test1.h"
/* we don't need to redefine the externs here - that's
what the header file is for... */
int b = ++a;
int main()
{
cout << "hello a is " << b << endl;
print(); //< don't redeclare the func, call it instead
return 0;
}
Upvotes: 1