Possible Duplicate:
How do I include functions from another file in my Perl script?
I have a perl file suppose a.pl and I want to use a function from perl file b.pl. How do i do it
Possible Duplicate:
How do I include functions from another file in my Perl script?
I have a perl file suppose a.pl and I want to use a function from perl file b.pl. How do i do it
MyBModule (B is reserved by core)..pm like MyBModule.pm.package MyBModule;1;You don't have to do anything else if you want to use your package name when calling the sub.
use MyBModule;
use strict;
use warnings;
MyBModule::sub1();
If you don't want to qualify it with the package name, read on...
Now configure Exporter.
use Exporter; statement at the top of your module.our @EXPORT_OK = qw(sub1 sub2);After you're done your module should look something like this
package MyBModule;
use strict;
use warnings;
use Exporter;
our @EXPORT_OK = qw(sub1 sub2);
sub sub1 { ... }
sub sub2 { ... }
@INC, or the module in the current directory. If not append the directory to PERL5LIB.use MyBModule qw(sub1 sub2);Read perldoc Exporter for more information
Your script should look like this afterward:
use strict;
use warnings;
use MyModuleB qw( sub1 sub2 );
It really isn't that hard, it takes about 15 seconds after you get used to doing it.
The best/conventional way is to keep all your functions in a Perl module file (.pm): See perlmod. This would require you to convert b.pl to a package. You would then access your module file (MyFuncs.pm) from a.pl with:
use MyFuncs;
Use the 'use' keyword to use functions from another module.
Example:
File a.pl:
use b;
f_in_b();
File b.pm:
sub f_in_b()
{
print "f_in_b\n";
}
1;
Important:
File b.pm must have the final 1;