SlideShare uma empresa Scribd logo
1 de 28
30 minutes to CPAN

(Minimizing the magic, and demystifying the process.)
30 minutes is pure Marketing Department hype.

       But with practice, it's realistic.
There are many ways to do it.

 This is a good way to start.
Get a PAUSE/CPAN account
●   https://pause.perl.org/pause/query?ACTION=request_id
●   The form takes 2 minutes.
●   The response time can be 1-3 days, so be patient.
●   Make sure to search CPAN ensuring you're not requesting a
    PAUSE ID that is already in use.
Create a directory framework
$ mkdir Foo
$ cd Foo
$ mkdir lib
$ mkdir t
$ mkdir examples
$ touch lib/Foo.pm
$ touch t/00-load.t
$ touch examples/example.pl
$ touch Makefile.PL
$ touch MANIFEST
$ touch Changes
$ touch README
MANIFEST
●   List the files included in your distribution. Comments
    may be added to the right.
    MANIFEST              This file. (And this is a legal comment)
    README                The brief introduction. (Another comment)
    Changes               The change log
    Makefile.PL
    META.json
    META.yml
    lib/Foo.pm
    t/00-load.t
    examples/example.pl
README
●   Brief intro to your module.

●   Just copy one from CPAN as an example and
    modify it to suit your needs.
    –   Too long to post here, mostly boilerplate.

●   No version numbers. No version-specific details.
    –   It will make your life as an author easier.
Changes
●   The change log for CPAN releases. Newer releases are
    listed above older ones. One blank line separates
    releases.

    Change log for Perl module Foo.


    0.02 2013-01-09
      - Fixed all the bugs in version 0.01.


    0.01 2012-11-15
      - First version.
Makefile.PL
use strict;
use warnings;
use 5.006000;
use ExtUtils::MakeMaker;


WriteMakefile( … );
Makefile.PL – WriteMakefile()
WriteMakefile(
     NAME               => 'Foo',
     AUTHOR             => q{Your Name < cpan_acct [at] cpan [dot] org >},
     VERSION_FROM       => 'lib/Foo.pm',
     ABSTRACT_FROM      => 'lib/Foo.pm',
     LICENSE            => 'perl',
     MIN_PERL_VERSION   => '5.006000',
    BUILD_REQUIRES      => { Test::More => '0', },    # Core; needn't be
listed.
     PREREQ_PM          => { List::MoreUtils => '0.33', },
     META_MERGE         => { … },
     dist               => { COMPRESS => 'gzip -9f', SUFFIX => 'gz', },
     clean              => { FILES => 'Foo-*' },
);
Other Makefile.PL meta info
●   It's helpful to include a META_MERGE section
    in Makefile.PL
    –   List the public version control repositiory.
    –   Other useful meta fields documented in
        CPAN::Meta::Spec
    –   These fields are helpful, but not mandatory.
Testing: t/00-load.t
●   Anything named t/*.t will be run in ASCII-betical
    order as a test.
    use strict;
    use warnings;
    use Test::More;


    use_ok( 'Foo' );
    can_ok( 'Foo', 'bar' ); # Function exists.
    can_ok('main', 'bar');   # Function was imported.
    done_testing();
lib/Foo.pm
●   Your module's code and documentation:
    package Foo;


    use strict;              use warnings;
    use Exporter;


    our @ISA = qw( Exporter );
    our @EXPORT = qw( bar );
    our $VERSION = '0.01';


    sub bar {     print “Hello world!n”;    }


    1;


    =pod
lib/Foo.pm ( =pod )
    =pod
    =head1 NAME
    Foo – The great Foo says hello!
    =head1 SYNOPSIS
        Use Foo;
        Bar();
    =head1 DESCRIPTION
    This module implements a single function, C<bar()> which greets you by
    printing “Hello world!”.
    =head1 EXPORTS
    L<Foo> exports a single function; C<bar()>.


●   Follow your favorite (simple) module's example.
●   Read perldoc perlpod.
examples/example.pl
●   A small working script demonstrating your module.
    use strict;
    use warnings;
    use Foo;


    bar();   # This prints “Hello world.n”



●   Should not be chmod +x (Nor should
    anything else in the distribution).
Prepare the distribution
perl Makefile.PL
make
make test
make distcheck
make disttest
cp Foo-0.01/META.* ./
rm -rf Foo-0.01
make dist
Upload to PAUSE
●   Log in at: http://pause.perl.org


●   Upload at:
    https://pause.perl.org/pause/authenquery?ACTION=add_uri


●   Wait a few hours for the CPAN mirrors to update.


●   Visit http://cpantesters.org to check smoke test results.
Request the namespace.
●   This is a formality, and can take a week to be
    approved.

●   This is done via the PAUSE website.

●   Top-level namespaces are more difficult.

●   Upload first, then request.
Version Numbers
●   Regular Releases
        our $VERSION = '0.01';


●   Always bump the version number before uploading to
    CPAN.

●   Minimize error-prone work: Keep version numbers in as
    few places as practical.
    –   Consider adding a version number consistency test.
Module tests
●   Module tests are important to you and users.
    –   You get feedback from the smoke testers.
    –   Your users gain confidence that the module will work on their
        platform.
    –   Bugs are easier to track down.
●   List additional test dependencies in BUILD_REQUIRES.
●   Some tests such as Test::NoWarnings may be written
    generically, and copied into your next project.
    –   Your next module won't take as long to assemble.
Author / Release Tests
●   Should run optionally
●   Should not fail if a test module dependency isn't
    available.
●   Use environment variables such as RELEASE_TESTING
    to trigger these sorts of tests.
●   Skip and exit gracefully if an optional test's module is
    unavailable on the target system.
●   Generic: They may be useful in your next module.
A few author tests to consider
●   Test::Pod
●   Test::Pod::Coverage
●   Test::CPAN::Changes
●   Test::Manifest
●   Test::Perl::Critic
●   Test::Kwalitee
●   Test::Version
●   Many other favorites are on CPAN – Ask around.
License
●   Make sure the license enumerated in the POD
    matches the one called for in Makefile.PL
●   See:
      $ perldoc perlmodstyle
      $ perldoc perlartistic
      $ perldoc perlgpl
●   License should be referred to in Makefile.PL
    so the META files list it.
License
●   Make sure the license enumerated in the POD
    matches the one called for in Makefile.PL
●   See:
      $ perldoc perlmodstyle
      $ perldoc perlartistic
      $ perldoc perlgpl
●   License should be referred to in Makefile.PL
    so the META files list it.
Next time...
●   Use Module::Starter
    –   Creates a simple template for you, and adds a few
        tests.
●   Copy the generic (especially author-only) tests
    from your previous distribution.
●   Whenver you come up with a test that might
    be useful in other distributions, copy it to them.
Eventually...
●   Some people love Dist::Zilla; a distribution
    automator / manager.
●   Module::Build is a more Perlish alternative to
    ExtUtils::MakeMaker
●   Module::Install is yet another solution that lets
    you bundle prereqs more easily. It simplifies
    creating ExtUtils::MakeMaker-based
    distributions.
References (Really, look them over)
●   POD
    –   perlmodstyle
    –   perlpod
●   On CPAN
    –   Module::Starter
    –   ExtUtils::MakeMaker
    –   CPAN::Meta::Spec
●   In print
    –   Intermediate Perl Programming (O'Reilly)
●   On testing
    –   Test::More
    –   http://cpantesters.org
●   CPAN itself! (Thousands of good – and bad – examples.)
David Oswald

daoswald@gmail.com / davido@cpan.org

Mais conteúdo relacionado

Mais procurados

PHP 5.6 New and Deprecated Features
PHP 5.6  New and Deprecated FeaturesPHP 5.6  New and Deprecated Features
PHP 5.6 New and Deprecated FeaturesMark Niebergall
 
PSGI and Plack from first principles
PSGI and Plack from first principlesPSGI and Plack from first principles
PSGI and Plack from first principlesPerl Careers
 
What you need to remember when you upload to CPAN
What you need to remember when you upload to CPANWhat you need to remember when you upload to CPAN
What you need to remember when you upload to CPANcharsbar
 
PECL Picks - Extensions to make your life better
PECL Picks - Extensions to make your life betterPECL Picks - Extensions to make your life better
PECL Picks - Extensions to make your life betterZendCon
 
PHP traits, treat or threat?
PHP traits, treat or threat?PHP traits, treat or threat?
PHP traits, treat or threat?Nick Belhomme
 
Fluentd v0.14 Plugin API Details
Fluentd v0.14 Plugin API DetailsFluentd v0.14 Plugin API Details
Fluentd v0.14 Plugin API DetailsSATOSHI TAGOMORI
 
Php internal architecture
Php internal architecturePhp internal architecture
Php internal architectureElizabeth Smith
 
10 Most Important Features of New PHP 5.6
10 Most Important Features of New PHP 5.610 Most Important Features of New PHP 5.6
10 Most Important Features of New PHP 5.6Webline Infosoft P Ltd
 
Kicking off with Zend Expressive and Doctrine ORM (ZendCon 2016)
Kicking off with Zend Expressive and Doctrine ORM (ZendCon 2016)Kicking off with Zend Expressive and Doctrine ORM (ZendCon 2016)
Kicking off with Zend Expressive and Doctrine ORM (ZendCon 2016)James Titcumb
 
J Ruby Whirlwind Tour
J Ruby Whirlwind TourJ Ruby Whirlwind Tour
J Ruby Whirlwind Touroscon2007
 
Devel::NYTProf v3 - 200908 (OUTDATED, see 201008)
Devel::NYTProf v3 - 200908 (OUTDATED, see 201008)Devel::NYTProf v3 - 200908 (OUTDATED, see 201008)
Devel::NYTProf v3 - 200908 (OUTDATED, see 201008)Tim Bunce
 
Zend expressive workshop
Zend expressive workshopZend expressive workshop
Zend expressive workshopAdam Culp
 
Laravel 4 package development
Laravel 4 package developmentLaravel 4 package development
Laravel 4 package developmentTihomir Opačić
 
How to develop Jenkins plugin using to ruby and Jenkins.rb
How to develop Jenkins plugin using to ruby and Jenkins.rbHow to develop Jenkins plugin using to ruby and Jenkins.rb
How to develop Jenkins plugin using to ruby and Jenkins.rbHiroshi SHIBATA
 
PSR-7 - Middleware - Zend Expressive
PSR-7 - Middleware - Zend ExpressivePSR-7 - Middleware - Zend Expressive
PSR-7 - Middleware - Zend ExpressiveMilad Arabi
 
HHVM: Efficient and Scalable PHP/Hack Execution / Guilherme Ottoni (Facebook)
HHVM: Efficient and Scalable PHP/Hack Execution / Guilherme Ottoni (Facebook)HHVM: Efficient and Scalable PHP/Hack Execution / Guilherme Ottoni (Facebook)
HHVM: Efficient and Scalable PHP/Hack Execution / Guilherme Ottoni (Facebook)Ontico
 

Mais procurados (20)

PHP 5.6 New and Deprecated Features
PHP 5.6  New and Deprecated FeaturesPHP 5.6  New and Deprecated Features
PHP 5.6 New and Deprecated Features
 
PSGI and Plack from first principles
PSGI and Plack from first principlesPSGI and Plack from first principles
PSGI and Plack from first principles
 
Os Harkins
Os HarkinsOs Harkins
Os Harkins
 
What you need to remember when you upload to CPAN
What you need to remember when you upload to CPANWhat you need to remember when you upload to CPAN
What you need to remember when you upload to CPAN
 
PECL Picks - Extensions to make your life better
PECL Picks - Extensions to make your life betterPECL Picks - Extensions to make your life better
PECL Picks - Extensions to make your life better
 
PHP traits, treat or threat?
PHP traits, treat or threat?PHP traits, treat or threat?
PHP traits, treat or threat?
 
Fluentd v0.14 Plugin API Details
Fluentd v0.14 Plugin API DetailsFluentd v0.14 Plugin API Details
Fluentd v0.14 Plugin API Details
 
Statyczna analiza kodu PHP
Statyczna analiza kodu PHPStatyczna analiza kodu PHP
Statyczna analiza kodu PHP
 
Php’s guts
Php’s gutsPhp’s guts
Php’s guts
 
Php internal architecture
Php internal architecturePhp internal architecture
Php internal architecture
 
10 Most Important Features of New PHP 5.6
10 Most Important Features of New PHP 5.610 Most Important Features of New PHP 5.6
10 Most Important Features of New PHP 5.6
 
Kicking off with Zend Expressive and Doctrine ORM (ZendCon 2016)
Kicking off with Zend Expressive and Doctrine ORM (ZendCon 2016)Kicking off with Zend Expressive and Doctrine ORM (ZendCon 2016)
Kicking off with Zend Expressive and Doctrine ORM (ZendCon 2016)
 
J Ruby Whirlwind Tour
J Ruby Whirlwind TourJ Ruby Whirlwind Tour
J Ruby Whirlwind Tour
 
Devel::NYTProf v3 - 200908 (OUTDATED, see 201008)
Devel::NYTProf v3 - 200908 (OUTDATED, see 201008)Devel::NYTProf v3 - 200908 (OUTDATED, see 201008)
Devel::NYTProf v3 - 200908 (OUTDATED, see 201008)
 
Apache Thrift
Apache ThriftApache Thrift
Apache Thrift
 
Zend expressive workshop
Zend expressive workshopZend expressive workshop
Zend expressive workshop
 
Laravel 4 package development
Laravel 4 package developmentLaravel 4 package development
Laravel 4 package development
 
How to develop Jenkins plugin using to ruby and Jenkins.rb
How to develop Jenkins plugin using to ruby and Jenkins.rbHow to develop Jenkins plugin using to ruby and Jenkins.rb
How to develop Jenkins plugin using to ruby and Jenkins.rb
 
PSR-7 - Middleware - Zend Expressive
PSR-7 - Middleware - Zend ExpressivePSR-7 - Middleware - Zend Expressive
PSR-7 - Middleware - Zend Expressive
 
HHVM: Efficient and Scalable PHP/Hack Execution / Guilherme Ottoni (Facebook)
HHVM: Efficient and Scalable PHP/Hack Execution / Guilherme Ottoni (Facebook)HHVM: Efficient and Scalable PHP/Hack Execution / Guilherme Ottoni (Facebook)
HHVM: Efficient and Scalable PHP/Hack Execution / Guilherme Ottoni (Facebook)
 

Semelhante a 30 Minutes To CPAN

Packaging perl (LPW2010)
Packaging perl (LPW2010)Packaging perl (LPW2010)
Packaging perl (LPW2010)p3castro
 
Apache Dispatch
Apache DispatchApache Dispatch
Apache DispatchFred Moyer
 
POUG2019 - Test your PL/SQL - your database will love you
POUG2019 - Test your PL/SQL - your database will love youPOUG2019 - Test your PL/SQL - your database will love you
POUG2019 - Test your PL/SQL - your database will love youJacek Gebal
 
Bgoug 2019.11 test your pl sql - not your patience
Bgoug 2019.11   test your pl sql - not your patienceBgoug 2019.11   test your pl sql - not your patience
Bgoug 2019.11 test your pl sql - not your patienceJacek Gebal
 
Creating a mature puppet system
Creating a mature puppet systemCreating a mature puppet system
Creating a mature puppet systemrkhatibi
 
Creating a Mature Puppet System
Creating a Mature Puppet SystemCreating a Mature Puppet System
Creating a Mature Puppet SystemPuppet
 
How To Install Openbravo ERP 2.50 MP43 in Ubuntu
How To Install Openbravo ERP 2.50 MP43 in UbuntuHow To Install Openbravo ERP 2.50 MP43 in Ubuntu
How To Install Openbravo ERP 2.50 MP43 in UbuntuWirabumi Software
 
SCM Puppet: from an intro to the scaling
SCM Puppet: from an intro to the scalingSCM Puppet: from an intro to the scaling
SCM Puppet: from an intro to the scalingStanislav Osipov
 
Developing Drizzle Replication Plugins
Developing Drizzle Replication PluginsDeveloping Drizzle Replication Plugins
Developing Drizzle Replication PluginsPadraig O'Sullivan
 
Os dev tool box
Os dev tool boxOs dev tool box
Os dev tool boxbpowell29a
 
Orchestrated Functional Testing with Puppet-spec and Mspectator
Orchestrated Functional Testing with Puppet-spec and MspectatorOrchestrated Functional Testing with Puppet-spec and Mspectator
Orchestrated Functional Testing with Puppet-spec and MspectatorRaphaël PINSON
 
Orchestrated Functional Testing with Puppet-spec and Mspectator - PuppetConf ...
Orchestrated Functional Testing with Puppet-spec and Mspectator - PuppetConf ...Orchestrated Functional Testing with Puppet-spec and Mspectator - PuppetConf ...
Orchestrated Functional Testing with Puppet-spec and Mspectator - PuppetConf ...Puppet
 
Wrangling 3rd Party Installers from Puppet
Wrangling 3rd Party Installers from PuppetWrangling 3rd Party Installers from Puppet
Wrangling 3rd Party Installers from PuppetPuppet
 
Joomla! Day Chicago 2011 Presentation - Steven Pignataro
Joomla! Day Chicago 2011 Presentation - Steven PignataroJoomla! Day Chicago 2011 Presentation - Steven Pignataro
Joomla! Day Chicago 2011 Presentation - Steven PignataroSteven Pignataro
 
Revisiting ppm
Revisiting ppmRevisiting ppm
Revisiting ppmcharsbar
 

Semelhante a 30 Minutes To CPAN (20)

Packaging perl (LPW2010)
Packaging perl (LPW2010)Packaging perl (LPW2010)
Packaging perl (LPW2010)
 
Apache Dispatch
Apache DispatchApache Dispatch
Apache Dispatch
 
POUG2019 - Test your PL/SQL - your database will love you
POUG2019 - Test your PL/SQL - your database will love youPOUG2019 - Test your PL/SQL - your database will love you
POUG2019 - Test your PL/SQL - your database will love you
 
Bgoug 2019.11 test your pl sql - not your patience
Bgoug 2019.11   test your pl sql - not your patienceBgoug 2019.11   test your pl sql - not your patience
Bgoug 2019.11 test your pl sql - not your patience
 
Creating a mature puppet system
Creating a mature puppet systemCreating a mature puppet system
Creating a mature puppet system
 
Creating a Mature Puppet System
Creating a Mature Puppet SystemCreating a Mature Puppet System
Creating a Mature Puppet System
 
Smoking docker
Smoking dockerSmoking docker
Smoking docker
 
How To Install Openbravo ERP 2.50 MP43 in Ubuntu
How To Install Openbravo ERP 2.50 MP43 in UbuntuHow To Install Openbravo ERP 2.50 MP43 in Ubuntu
How To Install Openbravo ERP 2.50 MP43 in Ubuntu
 
Drupal Best Practices
Drupal Best PracticesDrupal Best Practices
Drupal Best Practices
 
SCM Puppet: from an intro to the scaling
SCM Puppet: from an intro to the scalingSCM Puppet: from an intro to the scaling
SCM Puppet: from an intro to the scaling
 
PHP Development Tools
PHP  Development ToolsPHP  Development Tools
PHP Development Tools
 
Developing Drizzle Replication Plugins
Developing Drizzle Replication PluginsDeveloping Drizzle Replication Plugins
Developing Drizzle Replication Plugins
 
Os dev tool box
Os dev tool boxOs dev tool box
Os dev tool box
 
Perl Modules
Perl ModulesPerl Modules
Perl Modules
 
TAFJ
TAFJTAFJ
TAFJ
 
Orchestrated Functional Testing with Puppet-spec and Mspectator
Orchestrated Functional Testing with Puppet-spec and MspectatorOrchestrated Functional Testing with Puppet-spec and Mspectator
Orchestrated Functional Testing with Puppet-spec and Mspectator
 
Orchestrated Functional Testing with Puppet-spec and Mspectator - PuppetConf ...
Orchestrated Functional Testing with Puppet-spec and Mspectator - PuppetConf ...Orchestrated Functional Testing with Puppet-spec and Mspectator - PuppetConf ...
Orchestrated Functional Testing with Puppet-spec and Mspectator - PuppetConf ...
 
Wrangling 3rd Party Installers from Puppet
Wrangling 3rd Party Installers from PuppetWrangling 3rd Party Installers from Puppet
Wrangling 3rd Party Installers from Puppet
 
Joomla! Day Chicago 2011 Presentation - Steven Pignataro
Joomla! Day Chicago 2011 Presentation - Steven PignataroJoomla! Day Chicago 2011 Presentation - Steven Pignataro
Joomla! Day Chicago 2011 Presentation - Steven Pignataro
 
Revisiting ppm
Revisiting ppmRevisiting ppm
Revisiting ppm
 

Mais de daoswald

Perl: Setting Up An Internal Darkpan
Perl: Setting Up An Internal DarkpanPerl: Setting Up An Internal Darkpan
Perl: Setting Up An Internal Darkpandaoswald
 
Speaking at Tech Events
Speaking at Tech EventsSpeaking at Tech Events
Speaking at Tech Eventsdaoswald
 
Perl one-liners
Perl one-linersPerl one-liners
Perl one-linersdaoswald
 
Whatsnew in-perl
Whatsnew in-perlWhatsnew in-perl
Whatsnew in-perldaoswald
 
Add Perl to Your Toolbelt
Add Perl to Your ToolbeltAdd Perl to Your Toolbelt
Add Perl to Your Toolbeltdaoswald
 
Think Like a Programmer
Think Like a ProgrammerThink Like a Programmer
Think Like a Programmerdaoswald
 
Regular Expressions: Backtracking, and The Little Engine that Could(n't)?
Regular Expressions: Backtracking, and The Little Engine that Could(n't)?Regular Expressions: Backtracking, and The Little Engine that Could(n't)?
Regular Expressions: Backtracking, and The Little Engine that Could(n't)?daoswald
 
Perls Functional functions
Perls Functional functionsPerls Functional functions
Perls Functional functionsdaoswald
 

Mais de daoswald (8)

Perl: Setting Up An Internal Darkpan
Perl: Setting Up An Internal DarkpanPerl: Setting Up An Internal Darkpan
Perl: Setting Up An Internal Darkpan
 
Speaking at Tech Events
Speaking at Tech EventsSpeaking at Tech Events
Speaking at Tech Events
 
Perl one-liners
Perl one-linersPerl one-liners
Perl one-liners
 
Whatsnew in-perl
Whatsnew in-perlWhatsnew in-perl
Whatsnew in-perl
 
Add Perl to Your Toolbelt
Add Perl to Your ToolbeltAdd Perl to Your Toolbelt
Add Perl to Your Toolbelt
 
Think Like a Programmer
Think Like a ProgrammerThink Like a Programmer
Think Like a Programmer
 
Regular Expressions: Backtracking, and The Little Engine that Could(n't)?
Regular Expressions: Backtracking, and The Little Engine that Could(n't)?Regular Expressions: Backtracking, and The Little Engine that Could(n't)?
Regular Expressions: Backtracking, and The Little Engine that Could(n't)?
 
Perls Functional functions
Perls Functional functionsPerls Functional functions
Perls Functional functions
 

Último

Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...apidays
 
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc
 
A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?Igalia
 
Factors to Consider When Choosing Accounts Payable Services Providers.pptx
Factors to Consider When Choosing Accounts Payable Services Providers.pptxFactors to Consider When Choosing Accounts Payable Services Providers.pptx
Factors to Consider When Choosing Accounts Payable Services Providers.pptxKatpro Technologies
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfsudhanshuwaghmare1
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)Gabriella Davis
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Scriptwesley chun
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Miguel Araújo
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationSafe Software
 
Exploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone ProcessorsExploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone Processorsdebabhi2
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024The Digital Insurer
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Igalia
 
The Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxThe Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxMalak Abu Hammad
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityPrincipled Technologies
 
08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking MenDelhi Call girls
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024The Digital Insurer
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking MenDelhi Call girls
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slidevu2urc
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Drew Madelung
 
CNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of ServiceCNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of Servicegiselly40
 

Último (20)

Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
 
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
 
A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?
 
Factors to Consider When Choosing Accounts Payable Services Providers.pptx
Factors to Consider When Choosing Accounts Payable Services Providers.pptxFactors to Consider When Choosing Accounts Payable Services Providers.pptx
Factors to Consider When Choosing Accounts Payable Services Providers.pptx
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdf
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
 
Exploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone ProcessorsExploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone Processors
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
 
The Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxThe Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptx
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivity
 
08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slide
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
 
CNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of ServiceCNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of Service
 

30 Minutes To CPAN

  • 1. 30 minutes to CPAN (Minimizing the magic, and demystifying the process.)
  • 2. 30 minutes is pure Marketing Department hype. But with practice, it's realistic.
  • 3. There are many ways to do it. This is a good way to start.
  • 4. Get a PAUSE/CPAN account ● https://pause.perl.org/pause/query?ACTION=request_id ● The form takes 2 minutes. ● The response time can be 1-3 days, so be patient. ● Make sure to search CPAN ensuring you're not requesting a PAUSE ID that is already in use.
  • 5. Create a directory framework $ mkdir Foo $ cd Foo $ mkdir lib $ mkdir t $ mkdir examples $ touch lib/Foo.pm $ touch t/00-load.t $ touch examples/example.pl $ touch Makefile.PL $ touch MANIFEST $ touch Changes $ touch README
  • 6. MANIFEST ● List the files included in your distribution. Comments may be added to the right. MANIFEST This file. (And this is a legal comment) README The brief introduction. (Another comment) Changes The change log Makefile.PL META.json META.yml lib/Foo.pm t/00-load.t examples/example.pl
  • 7. README ● Brief intro to your module. ● Just copy one from CPAN as an example and modify it to suit your needs. – Too long to post here, mostly boilerplate. ● No version numbers. No version-specific details. – It will make your life as an author easier.
  • 8. Changes ● The change log for CPAN releases. Newer releases are listed above older ones. One blank line separates releases. Change log for Perl module Foo. 0.02 2013-01-09 - Fixed all the bugs in version 0.01. 0.01 2012-11-15 - First version.
  • 9. Makefile.PL use strict; use warnings; use 5.006000; use ExtUtils::MakeMaker; WriteMakefile( … );
  • 10. Makefile.PL – WriteMakefile() WriteMakefile( NAME => 'Foo', AUTHOR => q{Your Name < cpan_acct [at] cpan [dot] org >}, VERSION_FROM => 'lib/Foo.pm', ABSTRACT_FROM => 'lib/Foo.pm', LICENSE => 'perl', MIN_PERL_VERSION => '5.006000', BUILD_REQUIRES => { Test::More => '0', }, # Core; needn't be listed. PREREQ_PM => { List::MoreUtils => '0.33', }, META_MERGE => { … }, dist => { COMPRESS => 'gzip -9f', SUFFIX => 'gz', }, clean => { FILES => 'Foo-*' }, );
  • 11. Other Makefile.PL meta info ● It's helpful to include a META_MERGE section in Makefile.PL – List the public version control repositiory. – Other useful meta fields documented in CPAN::Meta::Spec – These fields are helpful, but not mandatory.
  • 12. Testing: t/00-load.t ● Anything named t/*.t will be run in ASCII-betical order as a test. use strict; use warnings; use Test::More; use_ok( 'Foo' ); can_ok( 'Foo', 'bar' ); # Function exists. can_ok('main', 'bar'); # Function was imported. done_testing();
  • 13. lib/Foo.pm ● Your module's code and documentation: package Foo; use strict; use warnings; use Exporter; our @ISA = qw( Exporter ); our @EXPORT = qw( bar ); our $VERSION = '0.01'; sub bar { print “Hello world!n”; } 1; =pod
  • 14. lib/Foo.pm ( =pod ) =pod =head1 NAME Foo – The great Foo says hello! =head1 SYNOPSIS Use Foo; Bar(); =head1 DESCRIPTION This module implements a single function, C<bar()> which greets you by printing “Hello world!”. =head1 EXPORTS L<Foo> exports a single function; C<bar()>. ● Follow your favorite (simple) module's example. ● Read perldoc perlpod.
  • 15. examples/example.pl ● A small working script demonstrating your module. use strict; use warnings; use Foo; bar(); # This prints “Hello world.n” ● Should not be chmod +x (Nor should anything else in the distribution).
  • 16. Prepare the distribution perl Makefile.PL make make test make distcheck make disttest cp Foo-0.01/META.* ./ rm -rf Foo-0.01 make dist
  • 17. Upload to PAUSE ● Log in at: http://pause.perl.org ● Upload at: https://pause.perl.org/pause/authenquery?ACTION=add_uri ● Wait a few hours for the CPAN mirrors to update. ● Visit http://cpantesters.org to check smoke test results.
  • 18. Request the namespace. ● This is a formality, and can take a week to be approved. ● This is done via the PAUSE website. ● Top-level namespaces are more difficult. ● Upload first, then request.
  • 19. Version Numbers ● Regular Releases our $VERSION = '0.01'; ● Always bump the version number before uploading to CPAN. ● Minimize error-prone work: Keep version numbers in as few places as practical. – Consider adding a version number consistency test.
  • 20. Module tests ● Module tests are important to you and users. – You get feedback from the smoke testers. – Your users gain confidence that the module will work on their platform. – Bugs are easier to track down. ● List additional test dependencies in BUILD_REQUIRES. ● Some tests such as Test::NoWarnings may be written generically, and copied into your next project. – Your next module won't take as long to assemble.
  • 21. Author / Release Tests ● Should run optionally ● Should not fail if a test module dependency isn't available. ● Use environment variables such as RELEASE_TESTING to trigger these sorts of tests. ● Skip and exit gracefully if an optional test's module is unavailable on the target system. ● Generic: They may be useful in your next module.
  • 22. A few author tests to consider ● Test::Pod ● Test::Pod::Coverage ● Test::CPAN::Changes ● Test::Manifest ● Test::Perl::Critic ● Test::Kwalitee ● Test::Version ● Many other favorites are on CPAN – Ask around.
  • 23. License ● Make sure the license enumerated in the POD matches the one called for in Makefile.PL ● See: $ perldoc perlmodstyle $ perldoc perlartistic $ perldoc perlgpl ● License should be referred to in Makefile.PL so the META files list it.
  • 24. License ● Make sure the license enumerated in the POD matches the one called for in Makefile.PL ● See: $ perldoc perlmodstyle $ perldoc perlartistic $ perldoc perlgpl ● License should be referred to in Makefile.PL so the META files list it.
  • 25. Next time... ● Use Module::Starter – Creates a simple template for you, and adds a few tests. ● Copy the generic (especially author-only) tests from your previous distribution. ● Whenver you come up with a test that might be useful in other distributions, copy it to them.
  • 26. Eventually... ● Some people love Dist::Zilla; a distribution automator / manager. ● Module::Build is a more Perlish alternative to ExtUtils::MakeMaker ● Module::Install is yet another solution that lets you bundle prereqs more easily. It simplifies creating ExtUtils::MakeMaker-based distributions.
  • 27. References (Really, look them over) ● POD – perlmodstyle – perlpod ● On CPAN – Module::Starter – ExtUtils::MakeMaker – CPAN::Meta::Spec ● In print – Intermediate Perl Programming (O'Reilly) ● On testing – Test::More – http://cpantesters.org ● CPAN itself! (Thousands of good – and bad – examples.)