4 use vars qw( @ISA $DEBUG $me $conf $money_char $date_format $rdate_format );
5 use vars qw( $invoice_lines @buf ); #yuck
6 use Fcntl qw(:flock); #for spool_csv
7 use List::Util qw(min max);
9 use Text::Template 1.20;
11 use String::ShellQuote;
14 use Storable qw( freeze thaw );
15 use FS::UID qw( datasrc );
16 use FS::Misc qw( send_email send_fax generate_ps generate_pdf do_print );
17 use FS::Record qw( qsearch qsearchs dbh );
18 use FS::cust_main_Mixin;
20 use FS::cust_statement;
21 use FS::cust_bill_pkg;
22 use FS::cust_bill_pkg_display;
23 use FS::cust_bill_pkg_detail;
27 use FS::cust_credit_bill;
29 use FS::cust_pay_batch;
30 use FS::cust_bill_event;
33 use FS::cust_bill_pay;
34 use FS::cust_bill_pay_batch;
35 use FS::part_bill_event;
38 use FS::cust_bill_batch;
40 @ISA = qw( FS::cust_main_Mixin FS::Record );
43 $me = '[FS::cust_bill]';
45 #ask FS::UID to run this stuff for us later
46 FS::UID->install_callback( sub {
48 $money_char = $conf->config('money_char') || '$';
49 $date_format = $conf->config('date_format') || '%x';
50 $rdate_format = $conf->config('date_format') || '%m/%d/%Y';
55 FS::cust_bill - Object methods for cust_bill records
61 $record = new FS::cust_bill \%hash;
62 $record = new FS::cust_bill { 'column' => 'value' };
64 $error = $record->insert;
66 $error = $new_record->replace($old_record);
68 $error = $record->delete;
70 $error = $record->check;
72 ( $total_previous_balance, @previous_cust_bill ) = $record->previous;
74 @cust_bill_pkg_objects = $cust_bill->cust_bill_pkg;
76 ( $total_previous_credits, @previous_cust_credit ) = $record->cust_credit;
78 @cust_pay_objects = $cust_bill->cust_pay;
80 $tax_amount = $record->tax;
82 @lines = $cust_bill->print_text;
83 @lines = $cust_bill->print_text $time;
87 An FS::cust_bill object represents an invoice; a declaration that a customer
88 owes you money. The specific charges are itemized as B<cust_bill_pkg> records
89 (see L<FS::cust_bill_pkg>). FS::cust_bill inherits from FS::Record. The
90 following fields are currently supported:
96 =item invnum - primary key (assigned automatically for new invoices)
98 =item custnum - customer (see L<FS::cust_main>)
100 =item _date - specified as a UNIX timestamp; see L<perlfunc/"time">. Also see
101 L<Time::Local> and L<Date::Parse> for conversion functions.
103 =item charged - amount of this invoice
105 =item invoice_terms - optional terms override for this specific invoice
109 Customer info at invoice generation time
113 =item previous_balance
115 =item billing_balance
123 =item printed - deprecated
131 =item closed - books closed flag, empty or `Y'
133 =item statementnum - invoice aggregation (see L<FS::cust_statement>)
135 =item agent_invid - legacy invoice number
145 Creates a new invoice. To add the invoice to the database, see L<"insert">.
146 Invoices are normally created by calling the bill method of a customer object
147 (see L<FS::cust_main>).
151 sub table { 'cust_bill'; }
153 sub cust_linked { $_[0]->cust_main_custnum; }
154 sub cust_unlinked_msg {
156 "WARNING: can't find cust_main.custnum ". $self->custnum.
157 ' (cust_bill.invnum '. $self->invnum. ')';
162 Adds this invoice to the database ("Posts" the invoice). If there is an error,
163 returns the error, otherwise returns false.
169 warn "$me insert called\n" if $DEBUG;
171 local $SIG{HUP} = 'IGNORE';
172 local $SIG{INT} = 'IGNORE';
173 local $SIG{QUIT} = 'IGNORE';
174 local $SIG{TERM} = 'IGNORE';
175 local $SIG{TSTP} = 'IGNORE';
176 local $SIG{PIPE} = 'IGNORE';
178 my $oldAutoCommit = $FS::UID::AutoCommit;
179 local $FS::UID::AutoCommit = 0;
182 my $error = $self->SUPER::insert;
184 $dbh->rollback if $oldAutoCommit;
188 if ( $self->get('cust_bill_pkg') ) {
189 foreach my $cust_bill_pkg ( @{$self->get('cust_bill_pkg')} ) {
190 $cust_bill_pkg->invnum($self->invnum);
191 my $error = $cust_bill_pkg->insert;
193 $dbh->rollback if $oldAutoCommit;
194 return "can't create invoice line item: $error";
199 $dbh->commit or die $dbh->errstr if $oldAutoCommit;
206 This method now works but you probably shouldn't use it. Instead, apply a
207 credit against the invoice.
209 Using this method to delete invoices outright is really, really bad. There
210 would be no record you ever posted this invoice, and there are no check to
211 make sure charged = 0 or that there are no associated cust_bill_pkg records.
213 Really, don't use it.
219 return "Can't delete closed invoice" if $self->closed =~ /^Y/i;
221 local $SIG{HUP} = 'IGNORE';
222 local $SIG{INT} = 'IGNORE';
223 local $SIG{QUIT} = 'IGNORE';
224 local $SIG{TERM} = 'IGNORE';
225 local $SIG{TSTP} = 'IGNORE';
226 local $SIG{PIPE} = 'IGNORE';
228 my $oldAutoCommit = $FS::UID::AutoCommit;
229 local $FS::UID::AutoCommit = 0;
232 foreach my $table (qw(
244 foreach my $linked ( $self->$table() ) {
245 my $error = $linked->delete;
247 $dbh->rollback if $oldAutoCommit;
254 my $error = $self->SUPER::delete(@_);
256 $dbh->rollback if $oldAutoCommit;
260 $dbh->commit or die $dbh->errstr if $oldAutoCommit;
266 =item replace [ OLD_RECORD ]
268 You can, but probably shouldn't modify invoices...
270 Replaces the OLD_RECORD with this one in the database, or, if OLD_RECORD is not
271 supplied, replaces this record. If there is an error, returns the error,
272 otherwise returns false.
276 #replace can be inherited from Record.pm
278 # replace_check is now the preferred way to #implement replace data checks
279 # (so $object->replace() works without an argument)
282 my( $new, $old ) = ( shift, shift );
283 return "Can't modify closed invoice" if $old->closed =~ /^Y/i;
284 #return "Can't change _date!" unless $old->_date eq $new->_date;
285 return "Can't change _date" unless $old->_date == $new->_date;
286 return "Can't change charged" unless $old->charged == $new->charged
287 || $old->charged == 0;
294 Checks all fields to make sure this is a valid invoice. If there is an error,
295 returns the error, otherwise returns false. Called by the insert and replace
304 $self->ut_numbern('invnum')
305 || $self->ut_foreign_key('custnum', 'cust_main', 'custnum' )
306 || $self->ut_numbern('_date')
307 || $self->ut_money('charged')
308 || $self->ut_numbern('printed')
309 || $self->ut_enum('closed', [ '', 'Y' ])
310 || $self->ut_foreign_keyn('statementnum', 'cust_statement', 'statementnum' )
311 || $self->ut_numbern('agent_invid') #varchar?
313 return $error if $error;
315 $self->_date(time) unless $self->_date;
317 $self->printed(0) if $self->printed eq '';
324 Returns the displayed invoice number for this invoice: agent_invid if
325 cust_bill-default_agent_invid is set and it has a value, invnum otherwise.
331 if ( $conf->exists('cust_bill-default_agent_invid') && $self->agent_invid ){
332 return $self->agent_invid;
334 return $self->invnum;
340 Returns a list consisting of the total previous balance for this customer,
341 followed by the previous outstanding invoices (as FS::cust_bill objects also).
348 my @cust_bill = sort { $a->_date <=> $b->_date }
349 grep { $_->owed != 0 && $_->_date < $self->_date }
350 qsearch( 'cust_bill', { 'custnum' => $self->custnum } )
352 foreach ( @cust_bill ) { $total += $_->owed; }
358 Returns the line items (see L<FS::cust_bill_pkg>) for this invoice.
365 { 'table' => 'cust_bill_pkg',
366 'hashref' => { 'invnum' => $self->invnum },
367 'order_by' => 'ORDER BY billpkgnum',
372 =item cust_bill_pkg_pkgnum PKGNUM
374 Returns the line items (see L<FS::cust_bill_pkg>) for this invoice and
379 sub cust_bill_pkg_pkgnum {
380 my( $self, $pkgnum ) = @_;
382 { 'table' => 'cust_bill_pkg',
383 'hashref' => { 'invnum' => $self->invnum,
386 'order_by' => 'ORDER BY billpkgnum',
393 Returns the packages (see L<FS::cust_pkg>) corresponding to the line items for
400 my @cust_pkg = map { $_->pkgnum > 0 ? $_->cust_pkg : () }
401 $self->cust_bill_pkg;
403 grep { ! $saw{$_->pkgnum}++ } @cust_pkg;
408 Returns true if any of the packages (or their definitions) corresponding to the
409 line items for this invoice have the no_auto flag set.
415 grep { $_->no_auto || $_->part_pkg->no_auto } $self->cust_pkg;
418 =item open_cust_bill_pkg
420 Returns the open line items for this invoice.
422 Note that cust_bill_pkg with both setup and recur fees are returned as two
423 separate line items, each with only one fee.
427 # modeled after cust_main::open_cust_bill
428 sub open_cust_bill_pkg {
431 # grep { $_->owed > 0 } $self->cust_bill_pkg
433 my %other = ( 'recur' => 'setup',
434 'setup' => 'recur', );
436 foreach my $field ( qw( recur setup )) {
437 push @open, map { $_->set( $other{$field}, 0 ); $_; }
438 grep { $_->owed($field) > 0 }
439 $self->cust_bill_pkg;
445 =item cust_bill_event
447 Returns the completed invoice events (deprecated, old-style events - see L<FS::cust_bill_event>) for this invoice.
451 sub cust_bill_event {
453 qsearch( 'cust_bill_event', { 'invnum' => $self->invnum } );
456 =item num_cust_bill_event
458 Returns the number of completed invoice events (deprecated, old-style events - see L<FS::cust_bill_event>) for this invoice.
462 sub num_cust_bill_event {
465 "SELECT COUNT(*) FROM cust_bill_event WHERE invnum = ?";
466 my $sth = dbh->prepare($sql) or die dbh->errstr. " preparing $sql";
467 $sth->execute($self->invnum) or die $sth->errstr. " executing $sql";
468 $sth->fetchrow_arrayref->[0];
473 Returns the new-style customer billing events (see L<FS::cust_event>) for this invoice.
477 #false laziness w/cust_pkg.pm
481 'table' => 'cust_event',
482 'addl_from' => 'JOIN part_event USING ( eventpart )',
483 'hashref' => { 'tablenum' => $self->invnum },
484 'extra_sql' => " AND eventtable = 'cust_bill' ",
490 Returns the number of new-style customer billing events (see L<FS::cust_event>) for this invoice.
494 #false laziness w/cust_pkg.pm
498 "SELECT COUNT(*) FROM cust_event JOIN part_event USING ( eventpart ) ".
499 " WHERE tablenum = ? AND eventtable = 'cust_bill'";
500 my $sth = dbh->prepare($sql) or die dbh->errstr. " preparing $sql";
501 $sth->execute($self->invnum) or die $sth->errstr. " executing $sql";
502 $sth->fetchrow_arrayref->[0];
507 Returns the customer (see L<FS::cust_main>) for this invoice.
513 qsearchs( 'cust_main', { 'custnum' => $self->custnum } );
516 =item cust_suspend_if_balance_over AMOUNT
518 Suspends the customer associated with this invoice if the total amount owed on
519 this invoice and all older invoices is greater than the specified amount.
521 Returns a list: an empty list on success or a list of errors.
525 sub cust_suspend_if_balance_over {
526 my( $self, $amount ) = ( shift, shift );
527 my $cust_main = $self->cust_main;
528 if ( $cust_main->total_owed_date($self->_date) < $amount ) {
531 $cust_main->suspend(@_);
537 Depreciated. See the cust_credited method.
539 #Returns a list consisting of the total previous credited (see
540 #L<FS::cust_credit>) and unapplied for this customer, followed by the previous
541 #outstanding credits (FS::cust_credit objects).
547 croak "FS::cust_bill->cust_credit depreciated; see ".
548 "FS::cust_bill->cust_credit_bill";
551 #my @cust_credit = sort { $a->_date <=> $b->_date }
552 # grep { $_->credited != 0 && $_->_date < $self->_date }
553 # qsearch('cust_credit', { 'custnum' => $self->custnum } )
555 #foreach (@cust_credit) { $total += $_->credited; }
556 #$total, @cust_credit;
561 Depreciated. See the cust_bill_pay method.
563 #Returns all payments (see L<FS::cust_pay>) for this invoice.
569 croak "FS::cust_bill->cust_pay depreciated; see FS::cust_bill->cust_bill_pay";
571 #sort { $a->_date <=> $b->_date }
572 # qsearch( 'cust_pay', { 'invnum' => $self->invnum } )
578 qsearch('cust_pay_batch', { 'invnum' => $self->invnum } );
581 sub cust_bill_pay_batch {
583 qsearch('cust_bill_pay_batch', { 'invnum' => $self->invnum } );
588 Returns all payment applications (see L<FS::cust_bill_pay>) for this invoice.
594 map { $_ } #return $self->num_cust_bill_pay unless wantarray;
595 sort { $a->_date <=> $b->_date }
596 qsearch( 'cust_bill_pay', { 'invnum' => $self->invnum } );
601 =item cust_credit_bill
603 Returns all applied credits (see L<FS::cust_credit_bill>) for this invoice.
609 map { $_ } #return $self->num_cust_credit_bill unless wantarray;
610 sort { $a->_date <=> $b->_date }
611 qsearch( 'cust_credit_bill', { 'invnum' => $self->invnum } )
615 sub cust_credit_bill {
616 shift->cust_credited(@_);
619 =item cust_bill_pay_pkgnum PKGNUM
621 Returns all payment applications (see L<FS::cust_bill_pay>) for this invoice
622 with matching pkgnum.
626 sub cust_bill_pay_pkgnum {
627 my( $self, $pkgnum ) = @_;
628 map { $_ } #return $self->num_cust_bill_pay_pkgnum($pkgnum) unless wantarray;
629 sort { $a->_date <=> $b->_date }
630 qsearch( 'cust_bill_pay', { 'invnum' => $self->invnum,
636 =item cust_credited_pkgnum PKGNUM
638 =item cust_credit_bill_pkgnum PKGNUM
640 Returns all applied credits (see L<FS::cust_credit_bill>) for this invoice
641 with matching pkgnum.
645 sub cust_credited_pkgnum {
646 my( $self, $pkgnum ) = @_;
647 map { $_ } #return $self->num_cust_credit_bill_pkgnum($pkgnum) unless wantarray;
648 sort { $a->_date <=> $b->_date }
649 qsearch( 'cust_credit_bill', { 'invnum' => $self->invnum,
655 sub cust_credit_bill_pkgnum {
656 shift->cust_credited_pkgnum(@_);
661 Returns the tax amount (see L<FS::cust_bill_pkg>) for this invoice.
668 my @taxlines = qsearch( 'cust_bill_pkg', { 'invnum' => $self->invnum ,
670 foreach (@taxlines) { $total += $_->setup; }
676 Returns the amount owed (still outstanding) on this invoice, which is charged
677 minus all payment applications (see L<FS::cust_bill_pay>) and credit
678 applications (see L<FS::cust_credit_bill>).
684 my $balance = $self->charged;
685 $balance -= $_->amount foreach ( $self->cust_bill_pay );
686 $balance -= $_->amount foreach ( $self->cust_credited );
687 $balance = sprintf( "%.2f", $balance);
688 $balance =~ s/^\-0\.00$/0.00/; #yay ieee fp
693 my( $self, $pkgnum ) = @_;
695 #my $balance = $self->charged;
697 $balance += $_->setup + $_->recur for $self->cust_bill_pkg_pkgnum($pkgnum);
699 $balance -= $_->amount for $self->cust_bill_pay_pkgnum($pkgnum);
700 $balance -= $_->amount for $self->cust_credited_pkgnum($pkgnum);
702 $balance = sprintf( "%.2f", $balance);
703 $balance =~ s/^\-0\.00$/0.00/; #yay ieee fp
707 =item apply_payments_and_credits [ OPTION => VALUE ... ]
709 Applies unapplied payments and credits to this invoice.
711 A hash of optional arguments may be passed. Currently "manual" is supported.
712 If true, a payment receipt is sent instead of a statement when
713 'payment_receipt_email' configuration option is set.
715 If there is an error, returns the error, otherwise returns false.
719 sub apply_payments_and_credits {
720 my( $self, %options ) = @_;
722 local $SIG{HUP} = 'IGNORE';
723 local $SIG{INT} = 'IGNORE';
724 local $SIG{QUIT} = 'IGNORE';
725 local $SIG{TERM} = 'IGNORE';
726 local $SIG{TSTP} = 'IGNORE';
727 local $SIG{PIPE} = 'IGNORE';
729 my $oldAutoCommit = $FS::UID::AutoCommit;
730 local $FS::UID::AutoCommit = 0;
733 $self->select_for_update; #mutex
735 my @payments = grep { $_->unapplied > 0 } $self->cust_main->cust_pay;
736 my @credits = grep { $_->credited > 0 } $self->cust_main->cust_credit;
738 if ( $conf->exists('pkg-balances') ) {
739 # limit @payments & @credits to those w/ a pkgnum grepped from $self
740 my %pkgnums = map { $_ => 1 } map $_->pkgnum, $self->cust_bill_pkg;
741 @payments = grep { ! $_->pkgnum || $pkgnums{$_->pkgnum} } @payments;
742 @credits = grep { ! $_->pkgnum || $pkgnums{$_->pkgnum} } @credits;
745 while ( $self->owed > 0 and ( @payments || @credits ) ) {
748 if ( @payments && @credits ) {
750 #decide which goes first by weight of top (unapplied) line item
752 my @open_lineitems = $self->open_cust_bill_pkg;
755 max( map { $_->part_pkg->pay_weight || 0 }
760 my $max_credit_weight =
761 max( map { $_->part_pkg->credit_weight || 0 }
767 #if both are the same... payments first? it has to be something
768 if ( $max_pay_weight >= $max_credit_weight ) {
774 } elsif ( @payments ) {
776 } elsif ( @credits ) {
779 die "guru meditation #12 and 35";
783 if ( $app eq 'pay' ) {
785 my $payment = shift @payments;
786 $unapp_amount = $payment->unapplied;
787 $app = new FS::cust_bill_pay { 'paynum' => $payment->paynum };
788 $app->pkgnum( $payment->pkgnum )
789 if $conf->exists('pkg-balances') && $payment->pkgnum;
791 } elsif ( $app eq 'credit' ) {
793 my $credit = shift @credits;
794 $unapp_amount = $credit->credited;
795 $app = new FS::cust_credit_bill { 'crednum' => $credit->crednum };
796 $app->pkgnum( $credit->pkgnum )
797 if $conf->exists('pkg-balances') && $credit->pkgnum;
800 die "guru meditation #12 and 35";
804 if ( $conf->exists('pkg-balances') && $app->pkgnum ) {
805 warn "owed_pkgnum ". $app->pkgnum;
806 $owed = $self->owed_pkgnum($app->pkgnum);
810 next unless $owed > 0;
812 warn "min ( $unapp_amount, $owed )\n" if $DEBUG;
813 $app->amount( sprintf('%.2f', min( $unapp_amount, $owed ) ) );
815 $app->invnum( $self->invnum );
817 my $error = $app->insert(%options);
819 $dbh->rollback if $oldAutoCommit;
820 return "Error inserting ". $app->table. " record: $error";
822 die $error if $error;
826 $dbh->commit or die $dbh->errstr if $oldAutoCommit;
831 =item generate_email OPTION => VALUE ...
839 sender address, required
843 alternate template name, optional
847 text attachment arrayref, optional
851 email subject, optional
855 notice name instead of "Invoice", optional
859 Returns an argument list to be passed to L<FS::Misc::send_email>.
870 my $me = '[FS::cust_bill::generate_email]';
873 'from' => $args{'from'},
874 'subject' => (($args{'subject'}) ? $args{'subject'} : 'Invoice'),
878 'unsquelch_cdr' => $conf->exists('voip-cdr_email'),
879 'template' => $args{'template'},
880 'notice_name' => ( $args{'notice_name'} || 'Invoice' ),
883 my $cust_main = $self->cust_main;
885 if (ref($args{'to'}) eq 'ARRAY') {
886 $return{'to'} = $args{'to'};
888 $return{'to'} = [ grep { $_ !~ /^(POST|FAX)$/ }
889 $cust_main->invoicing_list
893 if ( $conf->exists('invoice_html') ) {
895 warn "$me creating HTML/text multipart message"
898 $return{'nobody'} = 1;
900 my $alternative = build MIME::Entity
901 'Type' => 'multipart/alternative',
902 'Encoding' => '7bit',
903 'Disposition' => 'inline'
907 if ( $conf->exists('invoice_email_pdf')
908 and scalar($conf->config('invoice_email_pdf_note')) ) {
910 warn "$me using 'invoice_email_pdf_note' in multipart message"
912 $data = [ map { $_ . "\n" }
913 $conf->config('invoice_email_pdf_note')
918 warn "$me not using 'invoice_email_pdf_note' in multipart message"
920 if ( ref($args{'print_text'}) eq 'ARRAY' ) {
921 $data = $args{'print_text'};
923 $data = [ $self->print_text(\%opt) ];
928 $alternative->attach(
929 'Type' => 'text/plain',
930 #'Encoding' => 'quoted-printable',
931 'Encoding' => '7bit',
933 'Disposition' => 'inline',
936 $args{'from'} =~ /\@([\w\.\-]+)/;
937 my $from = $1 || 'example.com';
938 my $content_id = join('.', rand()*(2**32), $$, time). "\@$from";
941 my $agentnum = $cust_main->agentnum;
942 if ( defined($args{'template'}) && length($args{'template'})
943 && $conf->exists( 'logo_'. $args{'template'}. '.png', $agentnum )
946 $logo = 'logo_'. $args{'template'}. '.png';
950 my $image_data = $conf->config_binary( $logo, $agentnum);
952 my $image = build MIME::Entity
953 'Type' => 'image/png',
954 'Encoding' => 'base64',
955 'Data' => $image_data,
956 'Filename' => 'logo.png',
957 'Content-ID' => "<$content_id>",
960 $alternative->attach(
961 'Type' => 'text/html',
962 'Encoding' => 'quoted-printable',
963 'Data' => [ '<html>',
966 ' '. encode_entities($return{'subject'}),
969 ' <body bgcolor="#e8e8e8">',
970 $self->print_html({ 'cid'=>$content_id, %opt }),
974 'Disposition' => 'inline',
975 #'Filename' => 'invoice.pdf',
979 if ( $cust_main->email_csv_cdr ) {
981 push @otherparts, build MIME::Entity
982 'Type' => 'text/csv',
983 'Encoding' => '7bit',
984 'Data' => [ map { "$_\n" }
985 $self->call_details('prepend_billed_number' => 1)
987 'Disposition' => 'attachment',
988 'Filename' => 'usage-'. $self->invnum. '.csv',
993 if ( $conf->exists('invoice_email_pdf') ) {
998 # multipart/alternative
1004 my $related = build MIME::Entity 'Type' => 'multipart/related',
1005 'Encoding' => '7bit';
1007 #false laziness w/Misc::send_email
1008 $related->head->replace('Content-type',
1009 $related->mime_type.
1010 '; boundary="'. $related->head->multipart_boundary. '"'.
1011 '; type=multipart/alternative'
1014 $related->add_part($alternative);
1016 $related->add_part($image);
1018 my $pdf = build MIME::Entity $self->mimebuild_pdf(\%opt);
1020 $return{'mimeparts'} = [ $related, $pdf, @otherparts ];
1024 #no other attachment:
1026 # multipart/alternative
1031 $return{'content-type'} = 'multipart/related';
1032 $return{'mimeparts'} = [ $alternative, $image, @otherparts ];
1033 $return{'type'} = 'multipart/alternative'; #Content-Type of first part...
1034 #$return{'disposition'} = 'inline';
1040 if ( $conf->exists('invoice_email_pdf') ) {
1041 warn "$me creating PDF attachment"
1044 #mime parts arguments a la MIME::Entity->build().
1045 $return{'mimeparts'} = [
1046 { $self->mimebuild_pdf(\%opt) }
1050 if ( $conf->exists('invoice_email_pdf')
1051 and scalar($conf->config('invoice_email_pdf_note')) ) {
1053 warn "$me using 'invoice_email_pdf_note'"
1055 $return{'body'} = [ map { $_ . "\n" }
1056 $conf->config('invoice_email_pdf_note')
1061 warn "$me not using 'invoice_email_pdf_note'"
1063 if ( ref($args{'print_text'}) eq 'ARRAY' ) {
1064 $return{'body'} = $args{'print_text'};
1066 $return{'body'} = [ $self->print_text(\%opt) ];
1079 Returns a list suitable for passing to MIME::Entity->build(), representing
1080 this invoice as PDF attachment.
1087 'Type' => 'application/pdf',
1088 'Encoding' => 'base64',
1089 'Data' => [ $self->print_pdf(@_) ],
1090 'Disposition' => 'attachment',
1091 'Filename' => 'invoice-'. $self->invnum. '.pdf',
1095 =item send HASHREF | [ TEMPLATE [ , AGENTNUM [ , INVOICE_FROM [ , AMOUNT ] ] ] ]
1097 Sends this invoice to the destinations configured for this customer: sends
1098 email, prints and/or faxes. See L<FS::cust_main_invoice>.
1100 Options can be passed as a hashref (recommended) or as a list of up to
1101 four values for templatename, agentnum, invoice_from and amount.
1103 I<template>, if specified, is the name of a suffix for alternate invoices.
1105 I<agentnum>, if specified, means that this invoice will only be sent for customers
1106 of the specified agent or agent(s). AGENTNUM can be a scalar agentnum (for a
1107 single agent) or an arrayref of agentnums.
1109 I<invoice_from>, if specified, overrides the default email invoice From: address.
1111 I<amount>, if specified, only sends the invoice if the total amount owed on this
1112 invoice and all older invoices is greater than the specified amount.
1114 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
1118 sub queueable_send {
1121 my $self = qsearchs('cust_bill', { 'invnum' => $opt{invnum} } )
1122 or die "invalid invoice number: " . $opt{invnum};
1124 my @args = ( $opt{template}, $opt{agentnum} );
1125 push @args, $opt{invoice_from}
1126 if exists($opt{invoice_from}) && $opt{invoice_from};
1128 my $error = $self->send( @args );
1129 die $error if $error;
1136 my( $template, $invoice_from, $notice_name );
1138 my $balance_over = 0;
1142 $template = $opt->{'template'} || '';
1143 if ( $agentnums = $opt->{'agentnum'} ) {
1144 $agentnums = [ $agentnums ] unless ref($agentnums);
1146 $invoice_from = $opt->{'invoice_from'};
1147 $balance_over = $opt->{'balance_over'} if $opt->{'balance_over'};
1148 $notice_name = $opt->{'notice_name'};
1150 $template = scalar(@_) ? shift : '';
1151 if ( scalar(@_) && $_[0] ) {
1152 $agentnums = ref($_[0]) ? shift : [ shift ];
1154 $invoice_from = shift if scalar(@_);
1155 $balance_over = shift if scalar(@_) && $_[0] !~ /^\s*$/;
1158 return 'N/A' unless ! $agentnums
1159 or grep { $_ == $self->cust_main->agentnum } @$agentnums;
1162 unless $self->cust_main->total_owed_date($self->_date) > $balance_over;
1164 $invoice_from ||= $self->_agent_invoice_from || #XXX should go away
1165 $conf->config('invoice_from', $self->cust_main->agentnum );
1168 'template' => $template,
1169 'invoice_from' => $invoice_from,
1170 'notice_name' => ( $notice_name || 'Invoice' ),
1173 my @invoicing_list = $self->cust_main->invoicing_list;
1175 #$self->email_invoice(\%opt)
1177 if grep { $_ !~ /^(POST|FAX)$/ } @invoicing_list or !@invoicing_list;
1179 #$self->print_invoice(\%opt)
1181 if grep { $_ eq 'POST' } @invoicing_list; #postal
1183 $self->fax_invoice(\%opt)
1184 if grep { $_ eq 'FAX' } @invoicing_list; #fax
1190 =item email HASHREF | [ TEMPLATE [ , INVOICE_FROM ] ]
1192 Emails this invoice.
1194 Options can be passed as a hashref (recommended) or as a list of up to
1195 two values for templatename and invoice_from.
1197 I<template>, if specified, is the name of a suffix for alternate invoices.
1199 I<invoice_from>, if specified, overrides the default email invoice From: address.
1201 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
1205 sub queueable_email {
1208 my $self = qsearchs('cust_bill', { 'invnum' => $opt{invnum} } )
1209 or die "invalid invoice number: " . $opt{invnum};
1211 my @args = ( $opt{template} );
1212 push @args, $opt{invoice_from}
1213 if exists($opt{invoice_from}) && $opt{invoice_from};
1215 my $error = $self->email( @args );
1216 die $error if $error;
1220 #sub email_invoice {
1224 my( $template, $invoice_from, $notice_name );
1227 $template = $opt->{'template'} || '';
1228 $invoice_from = $opt->{'invoice_from'};
1229 $notice_name = $opt->{'notice_name'} || 'Invoice';
1231 $template = scalar(@_) ? shift : '';
1232 $invoice_from = shift if scalar(@_);
1233 $notice_name = 'Invoice';
1236 $invoice_from ||= $self->_agent_invoice_from || #XXX should go away
1237 $conf->config('invoice_from', $self->cust_main->agentnum );
1239 my @invoicing_list = grep { $_ !~ /^(POST|FAX)$/ }
1240 $self->cust_main->invoicing_list;
1242 #better to notify this person than silence
1243 @invoicing_list = ($invoice_from) unless @invoicing_list;
1245 my $subject = $self->email_subject($template);
1247 my $error = send_email(
1248 $self->generate_email(
1249 'from' => $invoice_from,
1250 'to' => [ grep { $_ !~ /^(POST|FAX)$/ } @invoicing_list ],
1251 'subject' => $subject,
1252 'template' => $template,
1253 'notice_name' => $notice_name,
1256 die "can't email invoice: $error\n" if $error;
1257 #die "$error\n" if $error;
1264 #my $template = scalar(@_) ? shift : '';
1267 my $subject = $conf->config('invoice_subject', $self->cust_main->agentnum)
1270 my $cust_main = $self->cust_main;
1271 my $name = $cust_main->name;
1272 my $name_short = $cust_main->name_short;
1273 my $invoice_number = $self->invnum;
1274 my $invoice_date = $self->_date_pretty;
1276 eval qq("$subject");
1279 =item lpr_data HASHREF | [ TEMPLATE ]
1281 Returns the postscript or plaintext for this invoice as an arrayref.
1283 Options can be passed as a hashref (recommended) or as a single optional value
1286 I<template>, if specified, is the name of a suffix for alternate invoices.
1288 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
1294 my( $template, $notice_name );
1297 $template = $opt->{'template'} || '';
1298 $notice_name = $opt->{'notice_name'} || 'Invoice';
1300 $template = scalar(@_) ? shift : '';
1301 $notice_name = 'Invoice';
1305 'template' => $template,
1306 'notice_name' => $notice_name,
1309 my $method = $conf->exists('invoice_latex') ? 'print_ps' : 'print_text';
1310 [ $self->$method( \%opt ) ];
1313 =item print HASHREF | [ TEMPLATE ]
1315 Prints this invoice.
1317 Options can be passed as a hashref (recommended) or as a single optional
1320 I<template>, if specified, is the name of a suffix for alternate invoices.
1322 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
1326 #sub print_invoice {
1329 my( $template, $notice_name );
1332 $template = $opt->{'template'} || '';
1333 $notice_name = $opt->{'notice_name'} || 'Invoice';
1335 $template = scalar(@_) ? shift : '';
1336 $notice_name = 'Invoice';
1340 'template' => $template,
1341 'notice_name' => $notice_name,
1344 if($conf->exists('invoice_print_pdf')) {
1345 # Add the invoice to the current batch.
1346 $self->batch_invoice(\%opt);
1349 do_print $self->lpr_data(\%opt);
1353 =item fax_invoice HASHREF | [ TEMPLATE ]
1357 Options can be passed as a hashref (recommended) or as a single optional
1360 I<template>, if specified, is the name of a suffix for alternate invoices.
1362 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
1368 my( $template, $notice_name );
1371 $template = $opt->{'template'} || '';
1372 $notice_name = $opt->{'notice_name'} || 'Invoice';
1374 $template = scalar(@_) ? shift : '';
1375 $notice_name = 'Invoice';
1378 die 'FAX invoice destination not (yet?) supported with plain text invoices.'
1379 unless $conf->exists('invoice_latex');
1381 my $dialstring = $self->cust_main->getfield('fax');
1385 'template' => $template,
1386 'notice_name' => $notice_name,
1389 my $error = send_fax( 'docdata' => $self->lpr_data(\%opt),
1390 'dialstring' => $dialstring,
1392 die $error if $error;
1396 =item batch_invoice [ HASHREF ]
1398 Place this invoice into the open batch (see C<FS::bill_batch>). If there
1399 isn't an open batch, one will be created.
1404 my ($self, $opt) = @_;
1405 my $batch = FS::bill_batch->get_open_batch;
1406 my $cust_bill_batch = FS::cust_bill_batch->new({
1407 batchnum => $batch->batchnum,
1408 invnum => $self->invnum,
1410 return $cust_bill_batch->insert($opt);
1413 =item ftp_invoice [ TEMPLATENAME ]
1415 Sends this invoice data via FTP.
1417 TEMPLATENAME is unused?
1423 my $template = scalar(@_) ? shift : '';
1426 'protocol' => 'ftp',
1427 'server' => $conf->config('cust_bill-ftpserver'),
1428 'username' => $conf->config('cust_bill-ftpusername'),
1429 'password' => $conf->config('cust_bill-ftppassword'),
1430 'dir' => $conf->config('cust_bill-ftpdir'),
1431 'format' => $conf->config('cust_bill-ftpformat'),
1435 =item spool_invoice [ TEMPLATENAME ]
1437 Spools this invoice data (see L<FS::spool_csv>)
1439 TEMPLATENAME is unused?
1445 my $template = scalar(@_) ? shift : '';
1448 'format' => $conf->config('cust_bill-spoolformat'),
1449 'agent_spools' => $conf->exists('cust_bill-spoolagent'),
1453 =item send_if_newest [ TEMPLATENAME [ , AGENTNUM [ , INVOICE_FROM ] ] ]
1455 Like B<send>, but only sends the invoice if it is the newest open invoice for
1460 sub send_if_newest {
1465 grep { $_->owed > 0 }
1466 qsearch('cust_bill', {
1467 'custnum' => $self->custnum,
1468 #'_date' => { op=>'>', value=>$self->_date },
1469 'invnum' => { op=>'>', value=>$self->invnum },
1476 =item send_csv OPTION => VALUE, ...
1478 Sends invoice as a CSV data-file to a remote host with the specified protocol.
1482 protocol - currently only "ftp"
1488 The file will be named "N-YYYYMMDDHHMMSS.csv" where N is the invoice number
1489 and YYMMDDHHMMSS is a timestamp.
1491 See L</print_csv> for a description of the output format.
1496 my($self, %opt) = @_;
1500 my $spooldir = "/usr/local/etc/freeside/export.". datasrc. "/cust_bill";
1501 mkdir $spooldir, 0700 unless -d $spooldir;
1503 my $tracctnum = $self->invnum. time2str('-%Y%m%d%H%M%S', time);
1504 my $file = "$spooldir/$tracctnum.csv";
1506 my ( $header, $detail ) = $self->print_csv(%opt, 'tracctnum' => $tracctnum );
1508 open(CSV, ">$file") or die "can't open $file: $!";
1516 if ( $opt{protocol} eq 'ftp' ) {
1517 eval "use Net::FTP;";
1519 $net = Net::FTP->new($opt{server}) or die @$;
1521 die "unknown protocol: $opt{protocol}";
1524 $net->login( $opt{username}, $opt{password} )
1525 or die "can't FTP to $opt{username}\@$opt{server}: login error: $@";
1527 $net->binary or die "can't set binary mode";
1529 $net->cwd($opt{dir}) or die "can't cwd to $opt{dir}";
1531 $net->put($file) or die "can't put $file: $!";
1541 Spools CSV invoice data.
1547 =item format - 'default' or 'billco'
1549 =item dest - if set (to POST, EMAIL or FAX), only sends spools invoices if the customer has the corresponding invoice destinations set (see L<FS::cust_main_invoice>).
1551 =item agent_spools - if set to a true value, will spool to per-agent files rather than a single global file
1553 =item balanceover - if set, only spools the invoice if the total amount owed on this invoice and all older invoices is greater than the specified amount.
1560 my($self, %opt) = @_;
1562 my $cust_main = $self->cust_main;
1564 if ( $opt{'dest'} ) {
1565 my %invoicing_list = map { /^(POST|FAX)$/ or 'EMAIL' =~ /^(.*)$/; $1 => 1 }
1566 $cust_main->invoicing_list;
1567 return 'N/A' unless $invoicing_list{$opt{'dest'}}
1568 || ! keys %invoicing_list;
1571 if ( $opt{'balanceover'} ) {
1573 if $cust_main->total_owed_date($self->_date) < $opt{'balanceover'};
1576 my $spooldir = "/usr/local/etc/freeside/export.". datasrc. "/cust_bill";
1577 mkdir $spooldir, 0700 unless -d $spooldir;
1579 my $tracctnum = $self->invnum. time2str('-%Y%m%d%H%M%S', time);
1583 ( $opt{'agent_spools'} ? 'agentnum'.$cust_main->agentnum : 'spool' ).
1584 ( lc($opt{'format'}) eq 'billco' ? '-header' : '' ) .
1587 my ( $header, $detail ) = $self->print_csv(%opt, 'tracctnum' => $tracctnum );
1589 open(CSV, ">>$file") or die "can't open $file: $!";
1590 flock(CSV, LOCK_EX);
1595 if ( lc($opt{'format'}) eq 'billco' ) {
1597 flock(CSV, LOCK_UN);
1602 ( $opt{'agent_spools'} ? 'agentnum'.$cust_main->agentnum : 'spool' ).
1605 open(CSV,">>$file") or die "can't open $file: $!";
1606 flock(CSV, LOCK_EX);
1612 flock(CSV, LOCK_UN);
1619 =item print_csv OPTION => VALUE, ...
1621 Returns CSV data for this invoice.
1625 format - 'default' or 'billco'
1627 Returns a list consisting of two scalars. The first is a single line of CSV
1628 header information for this invoice. The second is one or more lines of CSV
1629 detail information for this invoice.
1631 If I<format> is not specified or "default", the fields of the CSV file are as
1634 record_type, invnum, custnum, _date, charged, first, last, company, address1, address2, city, state, zip, country, pkg, setup, recur, sdate, edate
1638 =item record type - B<record_type> is either C<cust_bill> or C<cust_bill_pkg>
1640 B<record_type> is C<cust_bill> for the initial header line only. The
1641 last five fields (B<pkg> through B<edate>) are irrelevant, and all other
1642 fields are filled in.
1644 B<record_type> is C<cust_bill_pkg> for detail lines. Only the first two fields
1645 (B<record_type> and B<invnum>) and the last five fields (B<pkg> through B<edate>)
1648 =item invnum - invoice number
1650 =item custnum - customer number
1652 =item _date - invoice date
1654 =item charged - total invoice amount
1656 =item first - customer first name
1658 =item last - customer first name
1660 =item company - company name
1662 =item address1 - address line 1
1664 =item address2 - address line 1
1674 =item pkg - line item description
1676 =item setup - line item setup fee (one or both of B<setup> and B<recur> will be defined)
1678 =item recur - line item recurring fee (one or both of B<setup> and B<recur> will be defined)
1680 =item sdate - start date for recurring fee
1682 =item edate - end date for recurring fee
1686 If I<format> is "billco", the fields of the header CSV file are as follows:
1688 +-------------------------------------------------------------------+
1689 | FORMAT HEADER FILE |
1690 |-------------------------------------------------------------------|
1691 | Field | Description | Name | Type | Width |
1692 | 1 | N/A-Leave Empty | RC | CHAR | 2 |
1693 | 2 | N/A-Leave Empty | CUSTID | CHAR | 15 |
1694 | 3 | Transaction Account No | TRACCTNUM | CHAR | 15 |
1695 | 4 | Transaction Invoice No | TRINVOICE | CHAR | 15 |
1696 | 5 | Transaction Zip Code | TRZIP | CHAR | 5 |
1697 | 6 | Transaction Company Bill To | TRCOMPANY | CHAR | 30 |
1698 | 7 | Transaction Contact Bill To | TRNAME | CHAR | 30 |
1699 | 8 | Additional Address Unit Info | TRADDR1 | CHAR | 30 |
1700 | 9 | Bill To Street Address | TRADDR2 | CHAR | 30 |
1701 | 10 | Ancillary Billing Information | TRADDR3 | CHAR | 30 |
1702 | 11 | Transaction City Bill To | TRCITY | CHAR | 20 |
1703 | 12 | Transaction State Bill To | TRSTATE | CHAR | 2 |
1704 | 13 | Bill Cycle Close Date | CLOSEDATE | CHAR | 10 |
1705 | 14 | Bill Due Date | DUEDATE | CHAR | 10 |
1706 | 15 | Previous Balance | BALFWD | NUM* | 9 |
1707 | 16 | Pmt/CR Applied | CREDAPPLY | NUM* | 9 |
1708 | 17 | Total Current Charges | CURRENTCHG | NUM* | 9 |
1709 | 18 | Total Amt Due | TOTALDUE | NUM* | 9 |
1710 | 19 | Total Amt Due | AMTDUE | NUM* | 9 |
1711 | 20 | 30 Day Aging | AMT30 | NUM* | 9 |
1712 | 21 | 60 Day Aging | AMT60 | NUM* | 9 |
1713 | 22 | 90 Day Aging | AMT90 | NUM* | 9 |
1714 | 23 | Y/N | AGESWITCH | CHAR | 1 |
1715 | 24 | Remittance automation | SCANLINE | CHAR | 100 |
1716 | 25 | Total Taxes & Fees | TAXTOT | NUM* | 9 |
1717 | 26 | Customer Reference Number | CUSTREF | CHAR | 15 |
1718 | 27 | Federal Tax*** | FEDTAX | NUM* | 9 |
1719 | 28 | State Tax*** | STATETAX | NUM* | 9 |
1720 | 29 | Other Taxes & Fees*** | OTHERTAX | NUM* | 9 |
1721 +-------+-------------------------------+------------+------+-------+
1723 If I<format> is "billco", the fields of the detail CSV file are as follows:
1725 FORMAT FOR DETAIL FILE
1727 Field | Description | Name | Type | Width
1728 1 | N/A-Leave Empty | RC | CHAR | 2
1729 2 | N/A-Leave Empty | CUSTID | CHAR | 15
1730 3 | Account Number | TRACCTNUM | CHAR | 15
1731 4 | Invoice Number | TRINVOICE | CHAR | 15
1732 5 | Line Sequence (sort order) | LINESEQ | NUM | 6
1733 6 | Transaction Detail | DETAILS | CHAR | 100
1734 7 | Amount | AMT | NUM* | 9
1735 8 | Line Format Control** | LNCTRL | CHAR | 2
1736 9 | Grouping Code | GROUP | CHAR | 2
1737 10 | User Defined | ACCT CODE | CHAR | 15
1742 my($self, %opt) = @_;
1744 eval "use Text::CSV_XS";
1747 my $cust_main = $self->cust_main;
1749 my $csv = Text::CSV_XS->new({'always_quote'=>1});
1751 if ( lc($opt{'format'}) eq 'billco' ) {
1754 $taxtotal += $_->{'amount'} foreach $self->_items_tax;
1756 my $duedate = $self->due_date2str('%m/%d/%Y'); #date_format?
1758 my( $previous_balance, @unused ) = $self->previous; #previous balance
1760 my $pmt_cr_applied = 0;
1761 $pmt_cr_applied += $_->{'amount'}
1762 foreach ( $self->_items_payments, $self->_items_credits ) ;
1764 my $totaldue = sprintf('%.2f', $self->owed + $previous_balance);
1767 '', # 1 | N/A-Leave Empty CHAR 2
1768 '', # 2 | N/A-Leave Empty CHAR 15
1769 $opt{'tracctnum'}, # 3 | Transaction Account No CHAR 15
1770 $self->invnum, # 4 | Transaction Invoice No CHAR 15
1771 $cust_main->zip, # 5 | Transaction Zip Code CHAR 5
1772 $cust_main->company, # 6 | Transaction Company Bill To CHAR 30
1773 #$cust_main->payname, # 7 | Transaction Contact Bill To CHAR 30
1774 $cust_main->contact, # 7 | Transaction Contact Bill To CHAR 30
1775 $cust_main->address2, # 8 | Additional Address Unit Info CHAR 30
1776 $cust_main->address1, # 9 | Bill To Street Address CHAR 30
1777 '', # 10 | Ancillary Billing Information CHAR 30
1778 $cust_main->city, # 11 | Transaction City Bill To CHAR 20
1779 $cust_main->state, # 12 | Transaction State Bill To CHAR 2
1782 time2str("%m/%d/%Y", $self->_date), # 13 | Bill Cycle Close Date CHAR 10
1785 $duedate, # 14 | Bill Due Date CHAR 10
1787 $previous_balance, # 15 | Previous Balance NUM* 9
1788 $pmt_cr_applied, # 16 | Pmt/CR Applied NUM* 9
1789 sprintf("%.2f", $self->charged), # 17 | Total Current Charges NUM* 9
1790 $totaldue, # 18 | Total Amt Due NUM* 9
1791 $totaldue, # 19 | Total Amt Due NUM* 9
1792 '', # 20 | 30 Day Aging NUM* 9
1793 '', # 21 | 60 Day Aging NUM* 9
1794 '', # 22 | 90 Day Aging NUM* 9
1795 'N', # 23 | Y/N CHAR 1
1796 '', # 24 | Remittance automation CHAR 100
1797 $taxtotal, # 25 | Total Taxes & Fees NUM* 9
1798 $self->custnum, # 26 | Customer Reference Number CHAR 15
1799 '0', # 27 | Federal Tax*** NUM* 9
1800 sprintf("%.2f", $taxtotal), # 28 | State Tax*** NUM* 9
1801 '0', # 29 | Other Taxes & Fees*** NUM* 9
1810 time2str("%x", $self->_date),
1811 sprintf("%.2f", $self->charged),
1812 ( map { $cust_main->getfield($_) }
1813 qw( first last company address1 address2 city state zip country ) ),
1815 ) or die "can't create csv";
1818 my $header = $csv->string. "\n";
1821 if ( lc($opt{'format'}) eq 'billco' ) {
1824 foreach my $item ( $self->_items_pkg ) {
1827 '', # 1 | N/A-Leave Empty CHAR 2
1828 '', # 2 | N/A-Leave Empty CHAR 15
1829 $opt{'tracctnum'}, # 3 | Account Number CHAR 15
1830 $self->invnum, # 4 | Invoice Number CHAR 15
1831 $lineseq++, # 5 | Line Sequence (sort order) NUM 6
1832 $item->{'description'}, # 6 | Transaction Detail CHAR 100
1833 $item->{'amount'}, # 7 | Amount NUM* 9
1834 '', # 8 | Line Format Control** CHAR 2
1835 '', # 9 | Grouping Code CHAR 2
1836 '', # 10 | User Defined CHAR 15
1839 $detail .= $csv->string. "\n";
1845 foreach my $cust_bill_pkg ( $self->cust_bill_pkg ) {
1847 my($pkg, $setup, $recur, $sdate, $edate);
1848 if ( $cust_bill_pkg->pkgnum ) {
1850 ($pkg, $setup, $recur, $sdate, $edate) = (
1851 $cust_bill_pkg->part_pkg->pkg,
1852 ( $cust_bill_pkg->setup != 0
1853 ? sprintf("%.2f", $cust_bill_pkg->setup )
1855 ( $cust_bill_pkg->recur != 0
1856 ? sprintf("%.2f", $cust_bill_pkg->recur )
1858 ( $cust_bill_pkg->sdate
1859 ? time2str("%x", $cust_bill_pkg->sdate)
1861 ($cust_bill_pkg->edate
1862 ?time2str("%x", $cust_bill_pkg->edate)
1866 } else { #pkgnum tax
1867 next unless $cust_bill_pkg->setup != 0;
1868 $pkg = $cust_bill_pkg->desc;
1869 $setup = sprintf('%10.2f', $cust_bill_pkg->setup );
1870 ( $sdate, $edate ) = ( '', '' );
1876 ( map { '' } (1..11) ),
1877 ($pkg, $setup, $recur, $sdate, $edate)
1878 ) or die "can't create csv";
1880 $detail .= $csv->string. "\n";
1886 ( $header, $detail );
1892 Pays this invoice with a compliemntary payment. If there is an error,
1893 returns the error, otherwise returns false.
1899 my $cust_pay = new FS::cust_pay ( {
1900 'invnum' => $self->invnum,
1901 'paid' => $self->owed,
1904 'payinfo' => $self->cust_main->payinfo,
1912 Attempts to pay this invoice with a credit card payment via a
1913 Business::OnlinePayment realtime gateway. See
1914 http://search.cpan.org/search?mode=module&query=Business%3A%3AOnlinePayment
1915 for supported processors.
1921 $self->realtime_bop( 'CC', @_ );
1926 Attempts to pay this invoice with an electronic check (ACH) payment via a
1927 Business::OnlinePayment realtime gateway. See
1928 http://search.cpan.org/search?mode=module&query=Business%3A%3AOnlinePayment
1929 for supported processors.
1935 $self->realtime_bop( 'ECHECK', @_ );
1940 Attempts to pay this invoice with phone bill (LEC) payment via a
1941 Business::OnlinePayment realtime gateway. See
1942 http://search.cpan.org/search?mode=module&query=Business%3A%3AOnlinePayment
1943 for supported processors.
1949 $self->realtime_bop( 'LEC', @_ );
1953 my( $self, $method ) = @_;
1955 my $cust_main = $self->cust_main;
1956 my $balance = $cust_main->balance;
1957 my $amount = ( $balance < $self->owed ) ? $balance : $self->owed;
1958 $amount = sprintf("%.2f", $amount);
1959 return "not run (balance $balance)" unless $amount > 0;
1961 my $description = 'Internet Services';
1962 if ( $conf->exists('business-onlinepayment-description') ) {
1963 my $dtempl = $conf->config('business-onlinepayment-description');
1965 my $agent_obj = $cust_main->agent
1966 or die "can't retreive agent for $cust_main (agentnum ".
1967 $cust_main->agentnum. ")";
1968 my $agent = $agent_obj->agent;
1969 my $pkgs = join(', ',
1970 map { $_->part_pkg->pkg }
1971 grep { $_->pkgnum } $self->cust_bill_pkg
1973 $description = eval qq("$dtempl");
1976 $cust_main->realtime_bop($method, $amount,
1977 'description' => $description,
1978 'invnum' => $self->invnum,
1979 #this didn't do what we want, it just calls apply_payments_and_credits
1981 'apply_to_invoice' => 1,
1983 #this changes application behavior: auto payments
1984 #triggered against a specific invoice are now applied
1985 #to that invoice instead of oldest open.
1991 =item batch_card OPTION => VALUE...
1993 Adds a payment for this invoice to the pending credit card batch (see
1994 L<FS::cust_pay_batch>), or, if the B<realtime> option is set to a true value,
1995 runs the payment using a realtime gateway.
2000 my ($self, %options) = @_;
2001 my $cust_main = $self->cust_main;
2003 $options{invnum} = $self->invnum;
2005 $cust_main->batch_card(%options);
2008 sub _agent_template {
2010 $self->cust_main->agent_template;
2013 sub _agent_invoice_from {
2015 $self->cust_main->agent_invoice_from;
2018 =item print_text HASHREF | [ TIME [ , TEMPLATE [ , OPTION => VALUE ... ] ] ]
2020 Returns an text invoice, as a list of lines.
2022 Options can be passed as a hashref (recommended) or as a list of time, template
2023 and then any key/value pairs for any other options.
2025 I<time>, if specified, is used to control the printing of overdue messages. The
2026 default is now. It isn't the date of the invoice; that's the `_date' field.
2027 It is specified as a UNIX timestamp; see L<perlfunc/"time">. Also see
2028 L<Time::Local> and L<Date::Parse> for conversion functions.
2030 I<template>, if specified, is the name of a suffix for alternate invoices.
2032 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
2038 my( $today, $template, %opt );
2040 %opt = %{ shift() };
2041 $today = delete($opt{'time'}) || '';
2042 $template = delete($opt{template}) || '';
2044 ( $today, $template, %opt ) = @_;
2047 my %params = ( 'format' => 'template' );
2048 $params{'time'} = $today if $today;
2049 $params{'template'} = $template if $template;
2050 $params{$_} = $opt{$_}
2051 foreach grep $opt{$_}, qw( unsquealch_cdr notice_name );
2053 $self->print_generic( %params );
2056 =item print_latex HASHREF | [ TIME [ , TEMPLATE [ , OPTION => VALUE ... ] ] ]
2058 Internal method - returns a filename of a filled-in LaTeX template for this
2059 invoice (Note: add ".tex" to get the actual filename), and a filename of
2060 an associated logo (with the .eps extension included).
2062 See print_ps and print_pdf for methods that return PostScript and PDF output.
2064 Options can be passed as a hashref (recommended) or as a list of time, template
2065 and then any key/value pairs for any other options.
2067 I<time>, if specified, is used to control the printing of overdue messages. The
2068 default is now. It isn't the date of the invoice; that's the `_date' field.
2069 It is specified as a UNIX timestamp; see L<perlfunc/"time">. Also see
2070 L<Time::Local> and L<Date::Parse> for conversion functions.
2072 I<template>, if specified, is the name of a suffix for alternate invoices.
2074 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
2080 my( $today, $template, %opt );
2082 %opt = %{ shift() };
2083 $today = delete($opt{'time'}) || '';
2084 $template = delete($opt{template}) || '';
2086 ( $today, $template, %opt ) = @_;
2089 my %params = ( 'format' => 'latex' );
2090 $params{'time'} = $today if $today;
2091 $params{'template'} = $template if $template;
2092 $params{$_} = $opt{$_}
2093 foreach grep $opt{$_}, qw( unsquealch_cdr notice_name );
2095 $template ||= $self->_agent_template;
2097 my $dir = $FS::UID::conf_dir. "/cache.". $FS::UID::datasrc;
2098 my $lh = new File::Temp( TEMPLATE => 'invoice.'. $self->invnum. '.XXXXXXXX',
2102 ) or die "can't open temp file: $!\n";
2104 my $agentnum = $self->cust_main->agentnum;
2106 if ( $template && $conf->exists("logo_${template}.eps", $agentnum) ) {
2107 print $lh $conf->config_binary("logo_${template}.eps", $agentnum)
2108 or die "can't write temp file: $!\n";
2110 print $lh $conf->config_binary('logo.eps', $agentnum)
2111 or die "can't write temp file: $!\n";
2114 $params{'logo_file'} = $lh->filename;
2116 my @filled_in = $self->print_generic( %params );
2118 my $fh = new File::Temp( TEMPLATE => 'invoice.'. $self->invnum. '.XXXXXXXX',
2122 ) or die "can't open temp file: $!\n";
2123 print $fh join('', @filled_in );
2126 $fh->filename =~ /^(.*).tex$/ or die "unparsable filename: ". $fh->filename;
2127 return ($1, $params{'logo_file'});
2131 =item print_generic OPTION => VALUE ...
2133 Internal method - returns a filled-in template for this invoice as a scalar.
2135 See print_ps and print_pdf for methods that return PostScript and PDF output.
2137 Non optional options include
2138 format - latex, html, template
2140 Optional options include
2142 template - a value used as a suffix for a configuration template
2144 time - a value used to control the printing of overdue messages. The
2145 default is now. It isn't the date of the invoice; that's the `_date' field.
2146 It is specified as a UNIX timestamp; see L<perlfunc/"time">. Also see
2147 L<Time::Local> and L<Date::Parse> for conversion functions.
2151 unsquelch_cdr - overrides any per customer cdr squelching when true
2153 notice_name - overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
2157 #what's with all the sprintf('%10.2f')'s in here? will it cause any
2158 # (alignment in text invoice?) problems to change them all to '%.2f' ?
2159 # yes: fixed width (dot matrix) text printing will be borked
2162 my( $self, %params ) = @_;
2163 my $today = $params{today} ? $params{today} : time;
2164 warn "$me print_generic called on $self with suffix $params{template}\n"
2167 my $format = $params{format};
2168 die "Unknown format: $format"
2169 unless $format =~ /^(latex|html|template)$/;
2171 my $cust_main = $self->cust_main;
2172 $cust_main->payname( $cust_main->first. ' '. $cust_main->getfield('last') )
2173 unless $cust_main->payname
2174 && $cust_main->payby !~ /^(CARD|DCRD|CHEK|DCHK)$/;
2176 my %delimiters = ( 'latex' => [ '[@--', '--@]' ],
2177 'html' => [ '<%=', '%>' ],
2178 'template' => [ '{', '}' ],
2181 #create the template
2182 my $template = $params{template} ? $params{template} : $self->_agent_template;
2183 my $templatefile = "invoice_$format";
2184 $templatefile .= "_$template"
2185 if length($template);
2186 my @invoice_template = map "$_\n", $conf->config($templatefile)
2187 or die "cannot load config data $templatefile";
2190 if ( $format eq 'latex' && grep { /^%%Detail/ } @invoice_template ) {
2191 #change this to a die when the old code is removed
2192 warn "old-style invoice template $templatefile; ".
2193 "patch with conf/invoice_latex.diff or use new conf/invoice_latex*\n";
2194 $old_latex = 'true';
2195 @invoice_template = _translate_old_latex_format(@invoice_template);
2198 my $text_template = new Text::Template(
2200 SOURCE => \@invoice_template,
2201 DELIMITERS => $delimiters{$format},
2204 $text_template->compile()
2205 or die "Can't compile $templatefile: $Text::Template::ERROR\n";
2208 # additional substitution could possibly cause breakage in existing templates
2209 my %convert_maps = (
2211 'notes' => sub { map "$_", @_ },
2212 'footer' => sub { map "$_", @_ },
2213 'smallfooter' => sub { map "$_", @_ },
2214 'returnaddress' => sub { map "$_", @_ },
2215 'coupon' => sub { map "$_", @_ },
2216 'summary' => sub { map "$_", @_ },
2222 s/%%(.*)$/<!-- $1 -->/g;
2223 s/\\section\*\{\\textsc\{(.)(.*)\}\}/<p><b><font size="+1">$1<\/font>\U$2<\/b>/g;
2224 s/\\begin\{enumerate\}/<ol>/g;
2226 s/\\end\{enumerate\}/<\/ol>/g;
2227 s/\\textbf\{(.*)\}/<b>$1<\/b>/g;
2236 sub { map { s/~/ /g; s/\\\\\*?\s*$/<BR>/; $_; } @_ },
2238 sub { map { s/~/ /g; s/\\\\\*?\s*$/<BR>/; $_; } @_ },
2243 s/\\\\\*?\s*$/<BR>/;
2244 s/\\hyphenation\{[\w\s\-]+}//;
2249 'coupon' => sub { "" },
2250 'summary' => sub { "" },
2257 s/\\section\*\{\\textsc\{(.*)\}\}/\U$1/g;
2258 s/\\begin\{enumerate\}//g;
2260 s/\\end\{enumerate\}//g;
2261 s/\\textbf\{(.*)\}/$1/g;
2268 sub { map { s/~/ /g; s/\\\\\*?\s*$/\n/; $_; } @_ },
2270 sub { map { s/~/ /g; s/\\\\\*?\s*$/\n/; $_; } @_ },
2275 s/\\\\\*?\s*$/\n/; # dubious
2276 s/\\hyphenation\{[\w\s\-]+}//;
2280 'coupon' => sub { "" },
2281 'summary' => sub { "" },
2286 # hashes for differing output formats
2287 my %nbsps = ( 'latex' => '~',
2288 'html' => '', # '&nbps;' would be nice
2289 'template' => '', # not used
2291 my $nbsp = $nbsps{$format};
2293 my %escape_functions = ( 'latex' => \&_latex_escape,
2294 'html' => \&_html_escape_nbsp,#\&encode_entities,
2295 'template' => sub { shift },
2297 my $escape_function = $escape_functions{$format};
2298 my $escape_function_nonbsp = ($format eq 'html')
2299 ? \&_html_escape : $escape_function;
2301 my %date_formats = ( 'latex' => '%b %o, %Y',
2302 'html' => '%b %o, %Y',
2305 my $date_format = $date_formats{$format};
2307 my %embolden_functions = ( 'latex' => sub { return '\textbf{'. shift(). '}'
2309 'html' => sub { return '<b>'. shift(). '</b>'
2311 'template' => sub { shift },
2313 my $embolden_function = $embolden_functions{$format};
2316 # generate template variables
2319 defined( $conf->config_orbase( "invoice_${format}returnaddress",
2323 && length( $conf->config_orbase( "invoice_${format}returnaddress",
2329 $returnaddress = join("\n",
2330 $conf->config_orbase("invoice_${format}returnaddress", $template)
2333 } elsif ( grep /\S/,
2334 $conf->config_orbase('invoice_latexreturnaddress', $template) ) {
2336 my $convert_map = $convert_maps{$format}{'returnaddress'};
2339 &$convert_map( $conf->config_orbase( "invoice_latexreturnaddress",
2344 } elsif ( grep /\S/, $conf->config('company_address', $self->cust_main->agentnum) ) {
2346 my $convert_map = $convert_maps{$format}{'returnaddress'};
2347 $returnaddress = join( "\n", &$convert_map(
2348 map { s/( {2,})/'~' x length($1)/eg;
2352 ( $conf->config('company_name', $self->cust_main->agentnum),
2353 $conf->config('company_address', $self->cust_main->agentnum),
2360 my $warning = "Couldn't find a return address; ".
2361 "do you need to set the company_address configuration value?";
2363 $returnaddress = $nbsp;
2364 #$returnaddress = $warning;
2368 my $agentnum = $self->cust_main->agentnum;
2370 my %invoice_data = (
2373 'company_name' => scalar( $conf->config('company_name', $agentnum) ),
2374 'company_address' => join("\n", $conf->config('company_address', $agentnum) ). "\n",
2375 'returnaddress' => $returnaddress,
2376 'agent' => &$escape_function($cust_main->agent->agent),
2379 'invnum' => $self->invnum,
2380 'date' => time2str($date_format, $self->_date),
2381 'today' => time2str('%b %o, %Y', $today),
2382 'terms' => $self->terms,
2383 'template' => $template, #params{'template'},
2384 'notice_name' => ($params{'notice_name'} || 'Invoice'),#escape_function?
2385 'current_charges' => sprintf("%.2f", $self->charged),
2386 'duedate' => $self->due_date2str($rdate_format), #date_format?
2389 'custnum' => $cust_main->display_custnum,
2390 'agent_custid' => &$escape_function($cust_main->agent_custid),
2391 ( map { $_ => &$escape_function($cust_main->$_()) } qw(
2392 payname company address1 address2 city state zip fax
2396 'ship_enable' => $conf->exists('invoice-ship_address'),
2397 'unitprices' => $conf->exists('invoice-unitprice'),
2398 'smallernotes' => $conf->exists('invoice-smallernotes'),
2399 'smallerfooter' => $conf->exists('invoice-smallerfooter'),
2400 'balance_due_below_line' => $conf->exists('balance_due_below_line'),
2402 #layout info -- would be fancy to calc some of this and bury the template
2404 'topmargin' => scalar($conf->config('invoice_latextopmargin', $agentnum)),
2405 'headsep' => scalar($conf->config('invoice_latexheadsep', $agentnum)),
2406 'textheight' => scalar($conf->config('invoice_latextextheight', $agentnum)),
2407 'extracouponspace' => scalar($conf->config('invoice_latexextracouponspace', $agentnum)),
2408 'couponfootsep' => scalar($conf->config('invoice_latexcouponfootsep', $agentnum)),
2409 'verticalreturnaddress' => $conf->exists('invoice_latexverticalreturnaddress', $agentnum),
2410 'addresssep' => scalar($conf->config('invoice_latexaddresssep', $agentnum)),
2411 'amountenclosedsep' => scalar($conf->config('invoice_latexcouponamountenclosedsep', $agentnum)),
2412 'coupontoaddresssep' => scalar($conf->config('invoice_latexcoupontoaddresssep', $agentnum)),
2413 'addcompanytoaddress' => $conf->exists('invoice_latexcouponaddcompanytoaddress', $agentnum),
2415 # better hang on to conf_dir for a while (for old templates)
2416 'conf_dir' => "$FS::UID::conf_dir/conf.$FS::UID::datasrc",
2418 #these are only used when doing paged plaintext
2424 $invoice_data{finance_section} = '';
2425 if ( $conf->config('finance_pkgclass') ) {
2427 qsearchs('pkg_class', { classnum => $conf->config('finance_pkgclass') });
2428 $invoice_data{finance_section} = $pkg_class->categoryname;
2430 $invoice_data{finance_amount} = '0.00';
2431 $invoice_data{finance_section} ||= 'Finance Charges'; #avoid config confusion
2433 my $countrydefault = $conf->config('countrydefault') || 'US';
2434 my $prefix = $cust_main->has_ship_address ? 'ship_' : '';
2435 foreach ( qw( contact company address1 address2 city state zip country fax) ){
2436 my $method = $prefix.$_;
2437 $invoice_data{"ship_$_"} = _latex_escape($cust_main->$method);
2439 $invoice_data{'ship_country'} = ''
2440 if ( $invoice_data{'ship_country'} eq $countrydefault );
2442 $invoice_data{'cid'} = $params{'cid'}
2445 if ( $cust_main->country eq $countrydefault ) {
2446 $invoice_data{'country'} = '';
2448 $invoice_data{'country'} = &$escape_function(code2country($cust_main->country));
2452 $invoice_data{'address'} = \@address;
2454 $cust_main->payname.
2455 ( ( $cust_main->payby eq 'BILL' ) && $cust_main->payinfo
2456 ? " (P.O. #". $cust_main->payinfo. ")"
2460 push @address, $cust_main->company
2461 if $cust_main->company;
2462 push @address, $cust_main->address1;
2463 push @address, $cust_main->address2
2464 if $cust_main->address2;
2466 $cust_main->city. ", ". $cust_main->state. " ". $cust_main->zip;
2467 push @address, $invoice_data{'country'}
2468 if $invoice_data{'country'};
2470 while (scalar(@address) < 5);
2472 $invoice_data{'logo_file'} = $params{'logo_file'}
2473 if $params{'logo_file'};
2475 my( $pr_total, @pr_cust_bill ) = $self->previous; #previous balance
2476 # my( $cr_total, @cr_cust_credit ) = $self->cust_credit; #credits
2477 #my $balance_due = $self->owed + $pr_total - $cr_total;
2478 my $balance_due = $self->owed + $pr_total;
2479 $invoice_data{'true_previous_balance'} = sprintf("%.2f", ($self->previous_balance || 0) );
2480 $invoice_data{'balance_adjustments'} = sprintf("%.2f", ($self->previous_balance || 0) - ($self->billing_balance || 0) );
2481 $invoice_data{'previous_balance'} = sprintf("%.2f", $pr_total);
2482 $invoice_data{'balance'} = sprintf("%.2f", $balance_due);
2484 my $summarypage = '';
2485 if ( $conf->exists('invoice_usesummary', $agentnum) ) {
2488 $invoice_data{'summarypage'} = $summarypage;
2490 #do variable substitution in notes, footer, smallfooter
2491 foreach my $include (qw( notes footer smallfooter coupon )) {
2493 my $inc_file = $conf->key_orbase("invoice_${format}$include", $template);
2496 if ( $conf->exists($inc_file, $agentnum)
2497 && length( $conf->config($inc_file, $agentnum) ) ) {
2499 @inc_src = $conf->config($inc_file, $agentnum);
2503 $inc_file = $conf->key_orbase("invoice_latex$include", $template);
2505 my $convert_map = $convert_maps{$format}{$include};
2507 @inc_src = map { s/\[\@--/$delimiters{$format}[0]/g;
2508 s/--\@\]/$delimiters{$format}[1]/g;
2511 &$convert_map( $conf->config($inc_file, $agentnum) );
2515 my $inc_tt = new Text::Template (
2517 SOURCE => [ map "$_\n", @inc_src ],
2518 DELIMITERS => $delimiters{$format},
2519 ) or die "Can't create new Text::Template object: $Text::Template::ERROR";
2521 unless ( $inc_tt->compile() ) {
2522 my $error = "Can't compile $inc_file template: $Text::Template::ERROR\n";
2523 warn $error. "Template:\n". join('', map "$_\n", @inc_src);
2527 $invoice_data{$include} = $inc_tt->fill_in( HASH => \%invoice_data );
2529 $invoice_data{$include} =~ s/\n+$//
2530 if ($format eq 'latex');
2533 $invoice_data{'po_line'} =
2534 ( $cust_main->payby eq 'BILL' && $cust_main->payinfo )
2535 ? &$escape_function("Purchase Order #". $cust_main->payinfo)
2538 my %money_chars = ( 'latex' => '',
2539 'html' => $conf->config('money_char') || '$',
2542 my $money_char = $money_chars{$format};
2544 my %other_money_chars = ( 'latex' => '\dollar ',#XXX should be a config too
2545 'html' => $conf->config('money_char') || '$',
2548 my $other_money_char = $other_money_chars{$format};
2549 $invoice_data{'dollar'} = $other_money_char;
2551 my @detail_items = ();
2552 my @total_items = ();
2556 $invoice_data{'detail_items'} = \@detail_items;
2557 $invoice_data{'total_items'} = \@total_items;
2558 $invoice_data{'buf'} = \@buf;
2559 $invoice_data{'sections'} = \@sections;
2561 my $previous_section = { 'description' => 'Previous Charges',
2562 'subtotal' => $other_money_char.
2563 sprintf('%.2f', $pr_total),
2564 'summarized' => $summarypage ? 'Y' : '',
2566 $previous_section->{posttotal} = '0 / 30 / 60/ 90 days overdue '.
2567 join(' / ', map { $cust_main->balance_date_range(@$_) }
2568 $self->_prior_month30s
2570 if $conf->exists('invoice_include_aging');
2573 my $tax_section = { 'description' => 'Taxes, Surcharges, and Fees',
2574 'subtotal' => $taxtotal, # adjusted below
2575 'summarized' => $summarypage ? 'Y' : '',
2577 my $tax_weight = _pkg_category($tax_section->{description})
2578 ? _pkg_category($tax_section->{description})->weight
2580 $tax_section->{'summarized'} = $summarypage && !$tax_weight ? 'Y' : '';
2581 $tax_section->{'sort_weight'} = $tax_weight;
2584 my $adjusttotal = 0;
2585 my $adjust_section = { 'description' => 'Credits, Payments, and Adjustments',
2586 'subtotal' => 0, # adjusted below
2587 'summarized' => $summarypage ? 'Y' : '',
2589 my $adjust_weight = _pkg_category($adjust_section->{description})
2590 ? _pkg_category($adjust_section->{description})->weight
2592 $adjust_section->{'summarized'} = $summarypage && !$adjust_weight ? 'Y' : '';
2593 $adjust_section->{'sort_weight'} = $adjust_weight;
2595 my $unsquelched = $params{unsquelch_cdr} || $cust_main->squelch_cdr ne 'Y';
2596 my $multisection = $conf->exists('invoice_sections', $cust_main->agentnum);
2597 $invoice_data{'multisection'} = $multisection;
2598 my $late_sections = [];
2599 my $extra_sections = [];
2600 my $extra_lines = ();
2601 if ( $multisection ) {
2602 ($extra_sections, $extra_lines) =
2603 $self->_items_extra_usage_sections($escape_function_nonbsp, $format)
2604 if $conf->exists('usage_class_as_a_section', $cust_main->agentnum);
2606 push @$extra_sections, $adjust_section if $adjust_section->{sort_weight};
2608 push @detail_items, @$extra_lines if $extra_lines;
2610 $self->_items_sections( $late_sections, # this could stand a refactor
2612 $escape_function_nonbsp,
2616 if ($conf->exists('svc_phone_sections')) {
2617 my ($phone_sections, $phone_lines) =
2618 $self->_items_svc_phone_sections($escape_function_nonbsp, $format);
2619 push @{$late_sections}, @$phone_sections;
2620 push @detail_items, @$phone_lines;
2623 push @sections, { 'description' => '', 'subtotal' => '' };
2626 unless ( $conf->exists('disable_previous_balance')
2627 || $conf->exists('previous_balance-summary_only')
2631 foreach my $line_item ( $self->_items_previous ) {
2634 ext_description => [],
2636 $detail->{'ref'} = $line_item->{'pkgnum'};
2637 $detail->{'quantity'} = 1;
2638 $detail->{'section'} = $previous_section;
2639 $detail->{'description'} = &$escape_function($line_item->{'description'});
2640 if ( exists $line_item->{'ext_description'} ) {
2641 @{$detail->{'ext_description'}} = map {
2642 &$escape_function($_);
2643 } @{$line_item->{'ext_description'}};
2645 $detail->{'amount'} = ( $old_latex ? '' : $money_char).
2646 $line_item->{'amount'};
2647 $detail->{'product_code'} = $line_item->{'pkgpart'} || 'N/A';
2649 push @detail_items, $detail;
2650 push @buf, [ $detail->{'description'},
2651 $money_char. sprintf("%10.2f", $line_item->{'amount'}),
2657 if ( @pr_cust_bill && !$conf->exists('disable_previous_balance') ) {
2658 push @buf, ['','-----------'];
2659 push @buf, [ 'Total Previous Balance',
2660 $money_char. sprintf("%10.2f", $pr_total) ];
2664 if ( $conf->exists('svc_phone-did-summary') ) {
2665 my ($didsummary,$minutes) = $self->_did_summary;
2666 my $didsummary_desc = 'DID Activity Summary (Past 30 days)';
2668 { 'description' => $didsummary_desc,
2669 'ext_description' => [ $didsummary, $minutes ],
2674 foreach my $section (@sections, @$late_sections) {
2676 # begin some normalization
2677 $section->{'subtotal'} = $section->{'amount'}
2679 && !exists($section->{subtotal})
2680 && exists($section->{amount});
2682 $invoice_data{finance_amount} = sprintf('%.2f', $section->{'subtotal'} )
2683 if ( $invoice_data{finance_section} &&
2684 $section->{'description'} eq $invoice_data{finance_section} );
2686 $section->{'subtotal'} = $other_money_char.
2687 sprintf('%.2f', $section->{'subtotal'})
2690 # continue some normalization
2691 $section->{'amount'} = $section->{'subtotal'}
2695 if ( $section->{'description'} ) {
2696 push @buf, ( [ &$escape_function($section->{'description'}), '' ],
2701 my $multilocation = scalar($cust_main->cust_location); #too expensive?
2703 $options{'section'} = $section if $multisection;
2704 $options{'format'} = $format;
2705 $options{'escape_function'} = $escape_function;
2706 $options{'format_function'} = sub { () } unless $unsquelched;
2707 $options{'unsquelched'} = $unsquelched;
2708 $options{'summary_page'} = $summarypage;
2709 $options{'skip_usage'} =
2710 scalar(@$extra_sections) && !grep{$section == $_} @$extra_sections;
2711 $options{'multilocation'} = $multilocation;
2712 $options{'multisection'} = $multisection;
2714 foreach my $line_item ( $self->_items_pkg(%options) ) {
2716 ext_description => [],
2718 $detail->{'ref'} = $line_item->{'pkgnum'};
2719 $detail->{'quantity'} = $line_item->{'quantity'};
2720 $detail->{'section'} = $section;
2721 $detail->{'description'} = &$escape_function($line_item->{'description'});
2722 if ( exists $line_item->{'ext_description'} ) {
2723 @{$detail->{'ext_description'}} = @{$line_item->{'ext_description'}};
2725 $detail->{'amount'} = ( $old_latex ? '' : $money_char ).
2726 $line_item->{'amount'};
2727 $detail->{'unit_amount'} = ( $old_latex ? '' : $money_char ).
2728 $line_item->{'unit_amount'};
2729 $detail->{'product_code'} = $line_item->{'pkgpart'} || 'N/A';
2731 push @detail_items, $detail;
2732 push @buf, ( [ $detail->{'description'},
2733 $money_char. sprintf("%10.2f", $line_item->{'amount'}),
2735 map { [ " ". $_, '' ] } @{$detail->{'ext_description'}},
2739 if ( $section->{'description'} ) {
2740 push @buf, ( ['','-----------'],
2741 [ $section->{'description'}. ' sub-total',
2742 $money_char. sprintf("%10.2f", $section->{'subtotal'})
2751 $invoice_data{current_less_finance} =
2752 sprintf('%.2f', $self->charged - $invoice_data{finance_amount} );
2754 if ( $multisection && !$conf->exists('disable_previous_balance')
2755 || $conf->exists('previous_balance-summary_only') )
2757 unshift @sections, $previous_section if $pr_total;
2760 foreach my $tax ( $self->_items_tax ) {
2762 $taxtotal += $tax->{'amount'};
2764 my $description = &$escape_function( $tax->{'description'} );
2765 my $amount = sprintf( '%.2f', $tax->{'amount'} );
2767 if ( $multisection ) {
2769 my $money = $old_latex ? '' : $money_char;
2770 push @detail_items, {
2771 ext_description => [],
2774 description => $description,
2775 amount => $money. $amount,
2777 section => $tax_section,
2782 push @total_items, {
2783 'total_item' => $description,
2784 'total_amount' => $other_money_char. $amount,
2789 push @buf,[ $description,
2790 $money_char. $amount,
2797 $total->{'total_item'} = 'Sub-total';
2798 $total->{'total_amount'} =
2799 $other_money_char. sprintf('%.2f', $self->charged - $taxtotal );
2801 if ( $multisection ) {
2802 $tax_section->{'subtotal'} = $other_money_char.
2803 sprintf('%.2f', $taxtotal);
2804 $tax_section->{'pretotal'} = 'New charges sub-total '.
2805 $total->{'total_amount'};
2806 push @sections, $tax_section if $taxtotal;
2808 unshift @total_items, $total;
2811 $invoice_data{'taxtotal'} = sprintf('%.2f', $taxtotal);
2813 push @buf,['','-----------'];
2814 push @buf,[( $conf->exists('disable_previous_balance')
2816 : 'Total New Charges'
2818 $money_char. sprintf("%10.2f",$self->charged) ];
2824 $item = $conf->config('previous_balance-exclude_from_total')
2825 || 'Total New Charges'
2826 if $conf->exists('previous_balance-exclude_from_total');
2827 my $amount = $self->charged +
2828 ( $conf->exists('disable_previous_balance') ||
2829 $conf->exists('previous_balance-exclude_from_total')
2833 $total->{'total_item'} = &$embolden_function($item);
2834 $total->{'total_amount'} =
2835 &$embolden_function( $other_money_char. sprintf( '%.2f', $amount ) );
2836 if ( $multisection ) {
2837 if ( $adjust_section->{'sort_weight'} ) {
2838 $adjust_section->{'posttotal'} = 'Balance Forward '. $other_money_char.
2839 sprintf("%.2f", ($self->billing_balance || 0) );
2841 $adjust_section->{'pretotal'} = 'New charges total '. $other_money_char.
2842 sprintf('%.2f', $self->charged );
2845 push @total_items, $total;
2847 push @buf,['','-----------'];
2850 sprintf( '%10.2f', $amount )
2855 unless ( $conf->exists('disable_previous_balance') ) {
2856 #foreach my $thing ( sort { $a->_date <=> $b->_date } $self->_items_credits, $self->_items_payments
2859 my $credittotal = 0;
2860 foreach my $credit ( $self->_items_credits('trim_len'=>60) ) {
2863 $total->{'total_item'} = &$escape_function($credit->{'description'});
2864 $credittotal += $credit->{'amount'};
2865 $total->{'total_amount'} = '-'. $other_money_char. $credit->{'amount'};
2866 $adjusttotal += $credit->{'amount'};
2867 if ( $multisection ) {
2868 my $money = $old_latex ? '' : $money_char;
2869 push @detail_items, {
2870 ext_description => [],
2873 description => &$escape_function($credit->{'description'}),
2874 amount => $money. $credit->{'amount'},
2876 section => $adjust_section,
2879 push @total_items, $total;
2883 $invoice_data{'credittotal'} = sprintf('%.2f', $credittotal);
2886 foreach my $credit ( $self->_items_credits('trim_len'=>32) ) {
2887 push @buf, [ $credit->{'description'}, $money_char.$credit->{'amount'} ];
2891 my $paymenttotal = 0;
2892 foreach my $payment ( $self->_items_payments ) {
2894 $total->{'total_item'} = &$escape_function($payment->{'description'});
2895 $paymenttotal += $payment->{'amount'};
2896 $total->{'total_amount'} = '-'. $other_money_char. $payment->{'amount'};
2897 $adjusttotal += $payment->{'amount'};
2898 if ( $multisection ) {
2899 my $money = $old_latex ? '' : $money_char;
2900 push @detail_items, {
2901 ext_description => [],
2904 description => &$escape_function($payment->{'description'}),
2905 amount => $money. $payment->{'amount'},
2907 section => $adjust_section,
2910 push @total_items, $total;
2912 push @buf, [ $payment->{'description'},
2913 $money_char. sprintf("%10.2f", $payment->{'amount'}),
2916 $invoice_data{'paymenttotal'} = sprintf('%.2f', $paymenttotal);
2918 if ( $multisection ) {
2919 $adjust_section->{'subtotal'} = $other_money_char.
2920 sprintf('%.2f', $adjusttotal);
2921 push @sections, $adjust_section
2922 unless $adjust_section->{sort_weight};
2927 $total->{'total_item'} = &$embolden_function($self->balance_due_msg);
2928 $total->{'total_amount'} =
2929 &$embolden_function(
2930 $other_money_char. sprintf('%.2f', $summarypage
2932 $self->billing_balance
2933 : $self->owed + $pr_total
2936 if ( $multisection && !$adjust_section->{sort_weight} ) {
2937 $adjust_section->{'posttotal'} = $total->{'total_item'}. ' '.
2938 $total->{'total_amount'};
2940 push @total_items, $total;
2942 push @buf,['','-----------'];
2943 push @buf,[$self->balance_due_msg, $money_char.
2944 sprintf("%10.2f", $balance_due ) ];
2948 if ( $multisection ) {
2949 if ($conf->exists('svc_phone_sections')) {
2951 $total->{'total_item'} = &$embolden_function($self->balance_due_msg);
2952 $total->{'total_amount'} =
2953 &$embolden_function(
2954 $other_money_char. sprintf('%.2f', $self->owed + $pr_total)
2956 my $last_section = pop @sections;
2957 $last_section->{'posttotal'} = $total->{'total_item'}. ' '.
2958 $total->{'total_amount'};
2959 push @sections, $last_section;
2961 push @sections, @$late_sections
2965 my @includelist = ();
2966 push @includelist, 'summary' if $summarypage;
2967 foreach my $include ( @includelist ) {
2969 my $inc_file = $conf->key_orbase("invoice_${format}$include", $template);
2972 if ( length( $conf->config($inc_file, $agentnum) ) ) {
2974 @inc_src = $conf->config($inc_file, $agentnum);
2978 $inc_file = $conf->key_orbase("invoice_latex$include", $template);
2980 my $convert_map = $convert_maps{$format}{$include};
2982 @inc_src = map { s/\[\@--/$delimiters{$format}[0]/g;
2983 s/--\@\]/$delimiters{$format}[1]/g;
2986 &$convert_map( $conf->config($inc_file, $agentnum) );
2990 my $inc_tt = new Text::Template (
2992 SOURCE => [ map "$_\n", @inc_src ],
2993 DELIMITERS => $delimiters{$format},
2994 ) or die "Can't create new Text::Template object: $Text::Template::ERROR";
2996 unless ( $inc_tt->compile() ) {
2997 my $error = "Can't compile $inc_file template: $Text::Template::ERROR\n";
2998 warn $error. "Template:\n". join('', map "$_\n", @inc_src);
3002 $invoice_data{$include} = $inc_tt->fill_in( HASH => \%invoice_data );
3004 $invoice_data{$include} =~ s/\n+$//
3005 if ($format eq 'latex');
3010 foreach ( grep /invoice_lines\(\d*\)/, @invoice_template ) { #kludgy
3011 /invoice_lines\((\d*)\)/;
3012 $invoice_lines += $1 || scalar(@buf);
3015 die "no invoice_lines() functions in template?"
3016 if ( $format eq 'template' && !$wasfunc );
3018 if ($format eq 'template') {
3020 if ( $invoice_lines ) {
3021 $invoice_data{'total_pages'} = int( scalar(@buf) / $invoice_lines );
3022 $invoice_data{'total_pages'}++
3023 if scalar(@buf) % $invoice_lines;
3026 #setup subroutine for the template
3027 sub FS::cust_bill::_template::invoice_lines {
3028 my $lines = shift || scalar(@FS::cust_bill::_template::buf);
3030 scalar(@FS::cust_bill::_template::buf)
3031 ? shift @FS::cust_bill::_template::buf
3040 push @collect, split("\n",
3041 $text_template->fill_in( HASH => \%invoice_data,
3042 PACKAGE => 'FS::cust_bill::_template'
3045 $FS::cust_bill::_template::page++;
3047 map "$_\n", @collect;
3049 warn "filling in template for invoice ". $self->invnum. "\n"
3051 warn join("\n", map " $_ => ". $invoice_data{$_}, keys %invoice_data). "\n"
3054 $text_template->fill_in(HASH => \%invoice_data);
3058 # helper routine for generating date ranges
3059 sub _prior_month30s {
3062 [ 1, 2592000 ], # 0-30 days ago
3063 [ 2592000, 5184000 ], # 30-60 days ago
3064 [ 5184000, 7776000 ], # 60-90 days ago
3065 [ 7776000, 0 ], # 90+ days ago
3068 map { [ $_->[0] ? $self->_date - $_->[0] - 1 : '',
3069 $_->[1] ? $self->_date - $_->[1] - 1 : '',
3074 =item print_ps HASHREF | [ TIME [ , TEMPLATE ] ]
3076 Returns an postscript invoice, as a scalar.
3078 Options can be passed as a hashref (recommended) or as a list of time, template
3079 and then any key/value pairs for any other options.
3081 I<time> an optional value used to control the printing of overdue messages. The
3082 default is now. It isn't the date of the invoice; that's the `_date' field.
3083 It is specified as a UNIX timestamp; see L<perlfunc/"time">. Also see
3084 L<Time::Local> and L<Date::Parse> for conversion functions.
3086 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
3093 my ($file, $lfile) = $self->print_latex(@_);
3094 my $ps = generate_ps($file);
3095 unlink($file.'.tex');
3101 =item print_pdf HASHREF | [ TIME [ , TEMPLATE ] ]
3103 Returns an PDF invoice, as a scalar.
3105 Options can be passed as a hashref (recommended) or as a list of time, template
3106 and then any key/value pairs for any other options.
3108 I<time> an optional value used to control the printing of overdue messages. The
3109 default is now. It isn't the date of the invoice; that's the `_date' field.
3110 It is specified as a UNIX timestamp; see L<perlfunc/"time">. Also see
3111 L<Time::Local> and L<Date::Parse> for conversion functions.
3113 I<template>, if specified, is the name of a suffix for alternate invoices.
3115 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
3122 my ($file, $lfile) = $self->print_latex(@_);
3123 my $pdf = generate_pdf($file);
3124 unlink($file.'.tex');
3130 =item print_html HASHREF | [ TIME [ , TEMPLATE [ , CID ] ] ]
3132 Returns an HTML invoice, as a scalar.
3134 I<time> an optional value used to control the printing of overdue messages. The
3135 default is now. It isn't the date of the invoice; that's the `_date' field.
3136 It is specified as a UNIX timestamp; see L<perlfunc/"time">. Also see
3137 L<Time::Local> and L<Date::Parse> for conversion functions.
3139 I<template>, if specified, is the name of a suffix for alternate invoices.
3141 I<notice_name>, if specified, overrides "Invoice" as the name of the sent document (templates from 10/2009 or newer required)
3143 I<cid> is a MIME Content-ID used to create a "cid:" URL for the logo image, used
3144 when emailing the invoice as part of a multipart/related MIME email.
3152 %params = %{ shift() };
3154 $params{'time'} = shift;
3155 $params{'template'} = shift;
3156 $params{'cid'} = shift;
3159 $params{'format'} = 'html';
3161 $self->print_generic( %params );
3164 # quick subroutine for print_latex
3166 # There are ten characters that LaTeX treats as special characters, which
3167 # means that they do not simply typeset themselves:
3168 # # $ % & ~ _ ^ \ { }
3170 # TeX ignores blanks following an escaped character; if you want a blank (as
3171 # in "10% of ..."), you have to "escape" the blank as well ("10\%\ of ...").
3175 $value =~ s/([#\$%&~_\^{}])( )?/"\\$1". ( ( defined($2) && length($2) ) ? "\\$2" : '' )/ge;
3176 $value =~ s/([<>])/\$$1\$/g;
3182 encode_entities($value);
3186 sub _html_escape_nbsp {
3187 my $value = _html_escape(shift);
3188 $value =~ s/ +/ /g;
3192 #utility methods for print_*
3194 sub _translate_old_latex_format {
3195 warn "_translate_old_latex_format called\n"
3202 if ( $line =~ /^%%Detail\s*$/ ) {
3204 push @template, q![@--!,
3205 q! foreach my $_tr_line (@detail_items) {!,
3206 q! if ( scalar ($_tr_item->{'ext_description'} ) ) {!,
3207 q! $_tr_line->{'description'} .= !,
3208 q! "\\tabularnewline\n~~".!,
3209 q! join( "\\tabularnewline\n~~",!,
3210 q! @{$_tr_line->{'ext_description'}}!,
3214 while ( ( my $line_item_line = shift )
3215 !~ /^%%EndDetail\s*$/ ) {
3216 $line_item_line =~ s/'/\\'/g; # nice LTS
3217 $line_item_line =~ s/\\/\\\\/g; # escape quotes and backslashes
3218 $line_item_line =~ s/\$(\w+)/'. \$_tr_line->{$1}. '/g;
3219 push @template, " \$OUT .= '$line_item_line';";
3222 push @template, '}',
3225 } elsif ( $line =~ /^%%TotalDetails\s*$/ ) {
3227 push @template, '[@--',
3228 ' foreach my $_tr_line (@total_items) {';
3230 while ( ( my $total_item_line = shift )
3231 !~ /^%%EndTotalDetails\s*$/ ) {
3232 $total_item_line =~ s/'/\\'/g; # nice LTS
3233 $total_item_line =~ s/\\/\\\\/g; # escape quotes and backslashes
3234 $total_item_line =~ s/\$(\w+)/'. \$_tr_line->{$1}. '/g;
3235 push @template, " \$OUT .= '$total_item_line';";
3238 push @template, '}',
3242 $line =~ s/\$(\w+)/[\@-- \$$1 --\@]/g;
3243 push @template, $line;
3249 warn "$_\n" foreach @template;
3258 #check for an invoice-specific override
3259 return $self->invoice_terms if $self->invoice_terms;
3261 #check for a customer- specific override
3262 my $cust_main = $self->cust_main;
3263 return $cust_main->invoice_terms if $cust_main->invoice_terms;
3265 #use configured default
3266 $conf->config('invoice_default_terms') || '';
3272 if ( $self->terms =~ /^\s*Net\s*(\d+)\s*$/ ) {
3273 $duedate = $self->_date() + ( $1 * 86400 );
3280 $self->due_date ? time2str(shift, $self->due_date) : '';
3283 sub balance_due_msg {
3285 my $msg = 'Balance Due';
3286 return $msg unless $self->terms;
3287 if ( $self->due_date ) {
3288 $msg .= ' - Please pay by '. $self->due_date2str($date_format);
3289 } elsif ( $self->terms ) {
3290 $msg .= ' - '. $self->terms;
3295 sub balance_due_date {
3298 if ( $conf->exists('invoice_default_terms')
3299 && $conf->config('invoice_default_terms')=~ /^\s*Net\s*(\d+)\s*$/ ) {
3300 $duedate = time2str($rdate_format, $self->_date + ($1*86400) );
3305 =item invnum_date_pretty
3307 Returns a string with the invoice number and date, for example:
3308 "Invoice #54 (3/20/2008)"
3312 sub invnum_date_pretty {
3314 'Invoice #'. $self->invnum. ' ('. $self->_date_pretty. ')';
3319 Returns a string with the date, for example: "3/20/2008"
3325 time2str($date_format, $self->_date);
3328 use vars qw(%pkg_category_cache);
3329 sub _items_sections {
3332 my $summarypage = shift;
3334 my $extra_sections = shift;
3338 my %late_subtotal = ();
3341 foreach my $cust_bill_pkg ( $self->cust_bill_pkg )
3344 my $usage = $cust_bill_pkg->usage;
3346 foreach my $display ($cust_bill_pkg->cust_bill_pkg_display) {
3347 next if ( $display->summary && $summarypage );
3349 my $section = $display->section;
3350 my $type = $display->type;
3352 $not_tax{$section} = 1
3353 unless $cust_bill_pkg->pkgnum == 0;
3355 if ( $display->post_total && !$summarypage ) {
3356 if (! $type || $type eq 'S') {
3357 $late_subtotal{$section} += $cust_bill_pkg->setup
3358 if $cust_bill_pkg->setup != 0;
3362 $late_subtotal{$section} += $cust_bill_pkg->recur
3363 if $cust_bill_pkg->recur != 0;
3366 if ($type && $type eq 'R') {
3367 $late_subtotal{$section} += $cust_bill_pkg->recur - $usage
3368 if $cust_bill_pkg->recur != 0;
3371 if ($type && $type eq 'U') {
3372 $late_subtotal{$section} += $usage
3373 unless scalar(@$extra_sections);
3378 next if $cust_bill_pkg->pkgnum == 0 && ! $section;
3380 if (! $type || $type eq 'S') {
3381 $subtotal{$section} += $cust_bill_pkg->setup
3382 if $cust_bill_pkg->setup != 0;
3386 $subtotal{$section} += $cust_bill_pkg->recur
3387 if $cust_bill_pkg->recur != 0;
3390 if ($type && $type eq 'R') {
3391 $subtotal{$section} += $cust_bill_pkg->recur - $usage
3392 if $cust_bill_pkg->recur != 0;
3395 if ($type && $type eq 'U') {
3396 $subtotal{$section} += $usage
3397 unless scalar(@$extra_sections);
3406 %pkg_category_cache = ();
3408 push @$late, map { { 'description' => &{$escape}($_),
3409 'subtotal' => $late_subtotal{$_},
3411 'sort_weight' => ( _pkg_category($_)
3412 ? _pkg_category($_)->weight
3415 ((_pkg_category($_) && _pkg_category($_)->condense)
3416 ? $self->_condense_section($format)
3420 sort _sectionsort keys %late_subtotal;
3423 if ( $summarypage ) {
3424 @sections = grep { exists($subtotal{$_}) || ! _pkg_category($_)->disabled }
3425 map { $_->categoryname } qsearch('pkg_category', {});
3426 push @sections, '' if exists($subtotal{''});
3428 @sections = keys %subtotal;
3431 my @early = map { { 'description' => &{$escape}($_),
3432 'subtotal' => $subtotal{$_},
3433 'summarized' => $not_tax{$_} ? '' : 'Y',
3434 'tax_section' => $not_tax{$_} ? '' : 'Y',
3435 'sort_weight' => ( _pkg_category($_)
3436 ? _pkg_category($_)->weight
3439 ((_pkg_category($_) && _pkg_category($_)->condense)
3440 ? $self->_condense_section($format)
3445 push @early, @$extra_sections if $extra_sections;
3447 sort { $a->{sort_weight} <=> $b->{sort_weight} } @early;
3451 #helper subs for above
3454 _pkg_category($a)->weight <=> _pkg_category($b)->weight;
3458 my $categoryname = shift;
3459 $pkg_category_cache{$categoryname} ||=
3460 qsearchs( 'pkg_category', { 'categoryname' => $categoryname } );
3463 my %condensed_format = (
3464 'label' => [ qw( Description Qty Amount ) ],
3466 sub { shift->{description} },
3467 sub { shift->{quantity} },
3468 sub { my($href, %opt) = @_;
3469 ($opt{dollar} || ''). $href->{amount};
3472 'align' => [ qw( l r r ) ],
3473 'span' => [ qw( 5 1 1 ) ], # unitprices?
3474 'width' => [ qw( 10.7cm 1.4cm 1.6cm ) ], # don't like this
3477 sub _condense_section {
3478 my ( $self, $format ) = ( shift, shift );
3480 map { my $method = "_condensed_$_"; $_ => $self->$method($format) }
3481 qw( description_generator
3484 total_line_generator
3489 sub _condensed_generator_defaults {
3490 my ( $self, $format ) = ( shift, shift );
3491 return ( \%condensed_format, ' ', ' ', ' ', sub { shift } );
3500 sub _condensed_header_generator {
3501 my ( $self, $format ) = ( shift, shift );
3503 my ( $f, $prefix, $suffix, $separator, $column ) =
3504 _condensed_generator_defaults($format);
3506 if ($format eq 'latex') {
3507 $prefix = "\\hline\n\\rule{0pt}{2.5ex}\n\\makebox[1.4cm]{}&\n";
3508 $suffix = "\\\\\n\\hline";
3511 sub { my ($d,$a,$s,$w) = @_;
3512 return "\\multicolumn{$s}{$a}{\\makebox[$w][$a]{\\textbf{$d}}}";
3514 } elsif ( $format eq 'html' ) {
3515 $prefix = '<th></th>';
3519 sub { my ($d,$a,$s,$w) = @_;
3520 return qq!<th align="$html_align{$a}">$d</th>!;
3528 foreach (my $i = 0; $f->{label}->[$i]; $i++) {
3530 &{$column}( map { $f->{$_}->[$i] } qw(label align span width) );
3533 $prefix. join($separator, @result). $suffix;
3538 sub _condensed_description_generator {
3539 my ( $self, $format ) = ( shift, shift );
3541 my ( $f, $prefix, $suffix, $separator, $column ) =
3542 _condensed_generator_defaults($format);
3544 my $money_char = '$';
3545 if ($format eq 'latex') {
3546 $prefix = "\\hline\n\\multicolumn{1}{c}{\\rule{0pt}{2.5ex}~} &\n";
3548 $separator = " & \n";
3550 sub { my ($d,$a,$s,$w) = @_;
3551 return "\\multicolumn{$s}{$a}{\\makebox[$w][$a]{\\textbf{$d}}}";
3553 $money_char = '\\dollar';
3554 }elsif ( $format eq 'html' ) {
3555 $prefix = '"><td align="center"></td>';
3559 sub { my ($d,$a,$s,$w) = @_;
3560 return qq!<td align="$html_align{$a}">$d</td>!;
3562 #$money_char = $conf->config('money_char') || '$';
3563 $money_char = ''; # this is madness
3571 foreach (my $i = 0; $f->{label}->[$i]; $i++) {
3573 $dollar = $money_char if $i == scalar(@{$f->{label}})-1;
3575 &{$column}( &{$f->{fields}->[$i]}($href, 'dollar' => $dollar),
3576 map { $f->{$_}->[$i] } qw(align span width)
3580 $prefix. join( $separator, @result ). $suffix;
3585 sub _condensed_total_generator {
3586 my ( $self, $format ) = ( shift, shift );
3588 my ( $f, $prefix, $suffix, $separator, $column ) =
3589 _condensed_generator_defaults($format);
3592 if ($format eq 'latex') {
3595 $separator = " & \n";
3597 sub { my ($d,$a,$s,$w) = @_;
3598 return "\\multicolumn{$s}{$a}{\\makebox[$w][$a]{$d}}";
3600 }elsif ( $format eq 'html' ) {
3604 $style = 'border-top: 3px solid #000000;border-bottom: 3px solid #000000;';
3606 sub { my ($d,$a,$s,$w) = @_;
3607 return qq!<td align="$html_align{$a}" style="$style">$d</td>!;
3616 # my $r = &{$f->{fields}->[$i]}(@args);
3617 # $r .= ' Total' unless $i;
3619 foreach (my $i = 0; $f->{label}->[$i]; $i++) {
3621 &{$column}( &{$f->{fields}->[$i]}(@args). ($i ? '' : ' Total'),
3622 map { $f->{$_}->[$i] } qw(align span width)
3626 $prefix. join( $separator, @result ). $suffix;
3631 =item total_line_generator FORMAT
3633 Returns a coderef used for generation of invoice total line items for this
3634 usage_class. FORMAT is either html or latex
3638 # should not be used: will have issues with hash element names (description vs
3639 # total_item and amount vs total_amount -- another array of functions?
3641 sub _condensed_total_line_generator {
3642 my ( $self, $format ) = ( shift, shift );
3644 my ( $f, $prefix, $suffix, $separator, $column ) =
3645 _condensed_generator_defaults($format);
3648 if ($format eq 'latex') {
3651 $separator = " & \n";
3653 sub { my ($d,$a,$s,$w) = @_;
3654 return "\\multicolumn{$s}{$a}{\\makebox[$w][$a]{$d}}";
3656 }elsif ( $format eq 'html' ) {
3660 $style = 'border-top: 3px solid #000000;border-bottom: 3px solid #000000;';
3662 sub { my ($d,$a,$s,$w) = @_;
3663 return qq!<td align="$html_align{$a}" style="$style">$d</td>!;
3672 foreach (my $i = 0; $f->{label}->[$i]; $i++) {
3674 &{$column}( &{$f->{fields}->[$i]}(@args),
3675 map { $f->{$_}->[$i] } qw(align span width)
3679 $prefix. join( $separator, @result ). $suffix;
3684 #sub _items_extra_usage_sections {
3686 # my $escape = shift;
3688 # my %sections = ();
3690 # my %usage_class = map{ $_->classname, $_ } qsearch('usage_class', {});
3691 # foreach my $cust_bill_pkg ( $self->cust_bill_pkg )
3693 # next unless $cust_bill_pkg->pkgnum > 0;
3695 # foreach my $section ( keys %usage_class ) {
3697 # my $usage = $cust_bill_pkg->usage($section);
3699 # next unless $usage && $usage > 0;
3701 # $sections{$section} ||= 0;
3702 # $sections{$section} += $usage;
3708 # map { { 'description' => &{$escape}($_),
3709 # 'subtotal' => $sections{$_},
3710 # 'summarized' => '',
3711 # 'tax_section' => '',
3714 # sort {$usage_class{$a}->weight <=> $usage_class{$b}->weight} keys %sections;
3718 sub _items_extra_usage_sections {
3727 my %usage_class = map { $_->classnum => $_ } qsearch( 'usage_class', {} );
3728 foreach my $cust_bill_pkg ( $self->cust_bill_pkg ) {
3729 next unless $cust_bill_pkg->pkgnum > 0;
3731 foreach my $classnum ( keys %usage_class ) {
3732 my $section = $usage_class{$classnum}->classname;
3733 $classnums{$section} = $classnum;
3735 foreach my $detail ( $cust_bill_pkg->cust_bill_pkg_detail($classnum) ) {
3736 my $amount = $detail->amount;
3737 next unless $amount && $amount > 0;
3739 $sections{$section} ||= { 'subtotal'=>0, 'calls'=>0, 'duration'=>0 };
3740 $sections{$section}{amount} += $amount; #subtotal
3741 $sections{$section}{calls}++;
3742 $sections{$section}{duration} += $detail->duration;
3744 my $desc = $detail->regionname;
3745 my $description = $desc;
3746 $description = substr($desc, 0, 50). '...'
3747 if $format eq 'latex' && length($desc) > 50;
3749 $lines{$section}{$desc} ||= {
3750 description => &{$escape}($description),
3751 #pkgpart => $part_pkg->pkgpart,
3752 pkgnum => $cust_bill_pkg->pkgnum,
3757 #unit_amount => $cust_bill_pkg->unitrecur,
3758 quantity => $cust_bill_pkg->quantity,
3759 product_code => 'N/A',
3760 ext_description => [],
3763 $lines{$section}{$desc}{amount} += $amount;
3764 $lines{$section}{$desc}{calls}++;
3765 $lines{$section}{$desc}{duration} += $detail->duration;
3771 my %sectionmap = ();
3772 foreach (keys %sections) {
3773 my $usage_class = $usage_class{$classnums{$_}};
3774 $sectionmap{$_} = { 'description' => &{$escape}($_),
3775 'amount' => $sections{$_}{amount}, #subtotal
3776 'calls' => $sections{$_}{calls},
3777 'duration' => $sections{$_}{duration},
3779 'tax_section' => '',
3780 'sort_weight' => $usage_class->weight,
3781 ( $usage_class->format
3782 ? ( map { $_ => $usage_class->$_($format) }
3783 qw( description_generator header_generator total_generator total_line_generator )
3790 my @sections = sort { $a->{sort_weight} <=> $b->{sort_weight} }
3794 foreach my $section ( keys %lines ) {
3795 foreach my $line ( keys %{$lines{$section}} ) {
3796 my $l = $lines{$section}{$line};
3797 $l->{section} = $sectionmap{$section};
3798 $l->{amount} = sprintf( "%.2f", $l->{amount} );
3799 #$l->{unit_amount} = sprintf( "%.2f", $l->{unit_amount} );
3804 return(\@sections, \@lines);
3810 my $end = $self->_date;
3811 my $start = $end - 2592000; # 30 days
3812 my $cust_main = $self->cust_main;
3813 my @pkgs = $cust_main->all_pkgs;
3814 my($num_activated,$num_deactivated,$num_portedin,$num_portedout,$minutes)
3817 foreach my $pkg ( @pkgs ) {
3818 my @h_cust_svc = $pkg->h_cust_svc($end);
3819 foreach my $h_cust_svc ( @h_cust_svc ) {
3820 next if grep {$_ eq $h_cust_svc->svcnum} @seen;
3821 next unless $h_cust_svc->part_svc->svcdb eq 'svc_phone';
3823 my $inserted = $h_cust_svc->date_inserted;
3824 my $deleted = $h_cust_svc->date_deleted;
3825 my $phone_inserted = $h_cust_svc->h_svc_x($inserted);
3827 $phone_deleted = $h_cust_svc->h_svc_x($deleted) if $deleted;
3829 # DID either activated or ported in; cannot be both for same DID simultaneously
3830 if ($inserted >= $start && $inserted <= $end && $phone_inserted
3831 && (!$phone_inserted->lnp_status
3832 || $phone_inserted->lnp_status eq ''
3833 || $phone_inserted->lnp_status eq 'native')) {
3836 else { # this one not so clean, should probably move to (h_)svc_phone
3837 my $phone_portedin = qsearchs( 'h_svc_phone',
3838 { 'svcnum' => $h_cust_svc->svcnum,
3839 'lnp_status' => 'portedin' },
3840 FS::h_svc_phone->sql_h_searchs($end),
3842 $num_portedin++ if $phone_portedin;
3845 # DID either deactivated or ported out; cannot be both for same DID simultaneously
3846 if($deleted >= $start && $deleted <= $end && $phone_deleted
3847 && (!$phone_deleted->lnp_status
3848 || $phone_deleted->lnp_status ne 'portingout')) {
3851 elsif($deleted >= $start && $deleted <= $end && $phone_deleted
3852 && $phone_deleted->lnp_status
3853 && $phone_deleted->lnp_status eq 'portingout') {
3857 # increment usage minutes
3858 my @cdrs = $phone_inserted->get_cdrs('begin'=>$start,'end'=>$end);
3859 foreach my $cdr ( @cdrs ) {
3860 $minutes += $cdr->billsec/60;
3863 # don't look at this service again
3864 push @seen, $h_cust_svc->svcnum;
3868 $minutes = sprintf("%d", $minutes);
3869 ("Activated: $num_activated Ported-In: $num_portedin Deactivated: "
3870 . "$num_deactivated Ported-Out: $num_portedout ",
3871 "Total Minutes: $minutes");
3874 sub _items_svc_phone_sections {
3883 my %usage_class = map { $_->classnum => $_ } qsearch( 'usage_class', {} );
3884 $usage_class{''} ||= new FS::usage_class { 'classname' => '', 'weight' => 0 };
3886 foreach my $cust_bill_pkg ( $self->cust_bill_pkg ) {
3887 next unless $cust_bill_pkg->pkgnum > 0;
3889 my @header = $cust_bill_pkg->details_header;
3890 next unless scalar(@header);
3892 foreach my $detail ( $cust_bill_pkg->cust_bill_pkg_detail ) {
3894 my $phonenum = $detail->phonenum;
3895 next unless $phonenum;
3897 my $amount = $detail->amount;
3898 next unless $amount && $amount > 0;
3900 $sections{$phonenum} ||= { 'amount' => 0,
3903 'sort_weight' => -1,
3904 'phonenum' => $phonenum,
3906 $sections{$phonenum}{amount} += $amount; #subtotal
3907 $sections{$phonenum}{calls}++;
3908 $sections{$phonenum}{duration} += $detail->duration;
3910 my $desc = $detail->regionname;
3911 my $description = $desc;
3912 $description = substr($desc, 0, 50). '...'
3913 if $format eq 'latex' && length($desc) > 50;
3915 $lines{$phonenum}{$desc} ||= {
3916 description => &{$escape}($description),
3917 #pkgpart => $part_pkg->pkgpart,
3925 product_code => 'N/A',
3926 ext_description => [],
3929 $lines{$phonenum}{$desc}{amount} += $amount;
3930 $lines{$phonenum}{$desc}{calls}++;
3931 $lines{$phonenum}{$desc}{duration} += $detail->duration;
3933 my $line = $usage_class{$detail->classnum}->classname;
3934 $sections{"$phonenum $line"} ||=
3938 'sort_weight' => $usage_class{$detail->classnum}->weight,
3939 'phonenum' => $phonenum,
3940 'header' => [ @header ],
3942 $sections{"$phonenum $line"}{amount} += $amount; #subtotal
3943 $sections{"$phonenum $line"}{calls}++;
3944 $sections{"$phonenum $line"}{duration} += $detail->duration;
3946 $lines{"$phonenum $line"}{$desc} ||= {
3947 description => &{$escape}($description),
3948 #pkgpart => $part_pkg->pkgpart,
3956 product_code => 'N/A',
3957 ext_description => [],
3960 $lines{"$phonenum $line"}{$desc}{amount} += $amount;
3961 $lines{"$phonenum $line"}{$desc}{calls}++;
3962 $lines{"$phonenum $line"}{$desc}{duration} += $detail->duration;
3963 push @{$lines{"$phonenum $line"}{$desc}{ext_description}},
3964 $detail->formatted('format' => $format);
3969 my %sectionmap = ();
3970 my $simple = new FS::usage_class { format => 'simple' }; #bleh
3971 foreach ( keys %sections ) {
3972 my @header = @{ $sections{$_}{header} || [] };
3974 new FS::usage_class { format => 'usage_'. (scalar(@header) || 6). 'col' };
3975 my $summary = $sections{$_}{sort_weight} < 0 ? 1 : 0;
3976 my $usage_class = $summary ? $simple : $usage_simple;
3977 my $ending = $summary ? ' usage charges' : '';
3980 $gen_opt{label} = [ map{ &{$escape}($_) } @header ];
3982 $sectionmap{$_} = { 'description' => &{$escape}($_. $ending),
3983 'amount' => $sections{$_}{amount}, #subtotal
3984 'calls' => $sections{$_}{calls},
3985 'duration' => $sections{$_}{duration},
3987 'tax_section' => '',
3988 'phonenum' => $sections{$_}{phonenum},
3989 'sort_weight' => $sections{$_}{sort_weight},
3990 'post_total' => $summary, #inspire pagebreak
3992 ( map { $_ => $usage_class->$_($format, %gen_opt) }
3993 qw( description_generator
3996 total_line_generator
4003 my @sections = sort { $a->{phonenum} cmp $b->{phonenum} ||
4004 $a->{sort_weight} <=> $b->{sort_weight}
4009 foreach my $section ( keys %lines ) {
4010 foreach my $line ( keys %{$lines{$section}} ) {
4011 my $l = $lines{$section}{$line};
4012 $l->{section} = $sectionmap{$section};
4013 $l->{amount} = sprintf( "%.2f", $l->{amount} );
4014 #$l->{unit_amount} = sprintf( "%.2f", $l->{unit_amount} );
4019 return(\@sections, \@lines);
4026 #my @display = scalar(@_)
4028 # : qw( _items_previous _items_pkg );
4029 # #: qw( _items_pkg );
4030 # #: qw( _items_previous _items_pkg _items_tax _items_credits _items_payments );
4031 my @display = qw( _items_previous _items_pkg );
4034 foreach my $display ( @display ) {
4035 push @b, $self->$display(@_);
4040 sub _items_previous {
4042 my $cust_main = $self->cust_main;
4043 my( $pr_total, @pr_cust_bill ) = $self->previous; #previous balance
4045 foreach ( @pr_cust_bill ) {
4046 my $date = $conf->exists('invoice_show_prior_due_date')
4047 ? 'due '. $_->due_date2str($date_format)
4048 : time2str($date_format, $_->_date);
4050 'description' => 'Previous Balance, Invoice #'. $_->invnum. " ($date)",
4051 #'pkgpart' => 'N/A',
4053 'amount' => sprintf("%.2f", $_->owed),
4059 # 'description' => 'Previous Balance',
4060 # #'pkgpart' => 'N/A',
4061 # 'pkgnum' => 'N/A',
4062 # 'amount' => sprintf("%10.2f", $pr_total ),
4063 # 'ext_description' => [ map {
4064 # "Invoice ". $_->invnum.
4065 # " (". time2str("%x",$_->_date). ") ".
4066 # sprintf("%10.2f", $_->owed)
4067 # } @pr_cust_bill ],
4075 my @cust_bill_pkg = grep { $_->pkgnum } $self->cust_bill_pkg;
4076 my @items = $self->_items_cust_bill_pkg(\@cust_bill_pkg, @_);
4077 if ($options{section} && $options{section}->{condensed}) {
4079 local $Storable::canonical = 1;
4080 foreach ( @items ) {
4082 delete $item->{ref};
4083 delete $item->{ext_description};
4084 my $key = freeze($item);
4085 $itemshash{$key} ||= 0;
4086 $itemshash{$key} ++; # += $item->{quantity};
4088 @items = sort { $a->{description} cmp $b->{description} }
4089 map { my $i = thaw($_);
4090 $i->{quantity} = $itemshash{$_};
4092 sprintf( "%.2f", $i->{quantity} * $i->{amount} );#unit_amount
4101 return 0 unless $a->itemdesc cmp $b->itemdesc;
4102 return -1 if $b->itemdesc eq 'Tax';
4103 return 1 if $a->itemdesc eq 'Tax';
4104 return -1 if $b->itemdesc eq 'Other surcharges';
4105 return 1 if $a->itemdesc eq 'Other surcharges';
4106 $a->itemdesc cmp $b->itemdesc;
4111 my @cust_bill_pkg = sort _taxsort grep { ! $_->pkgnum } $self->cust_bill_pkg;
4112 $self->_items_cust_bill_pkg(\@cust_bill_pkg, @_);
4115 sub _items_cust_bill_pkg {
4117 my $cust_bill_pkg = shift;
4120 my $format = $opt{format} || '';
4121 my $escape_function = $opt{escape_function} || sub { shift };
4122 my $format_function = $opt{format_function} || '';
4123 my $unsquelched = $opt{unsquelched} || '';
4124 my $section = $opt{section}->{description} if $opt{section};
4125 my $summary_page = $opt{summary_page} || '';
4126 my $multilocation = $opt{multilocation} || '';
4127 my $multisection = $opt{multisection} || '';
4130 my ($s, $r, $u) = ( undef, undef, undef );
4131 foreach my $cust_bill_pkg ( @$cust_bill_pkg )
4134 foreach ( $s, $r, ($opt{skip_usage} ? () : $u ) ) {
4135 if ( $_ && !$cust_bill_pkg->hidden ) {
4136 $_->{amount} = sprintf( "%.2f", $_->{amount} ),
4137 $_->{amount} =~ s/^\-0\.00$/0.00/;
4138 $_->{unit_amount} = sprintf( "%.2f", $_->{unit_amount} ),
4140 unless $_->{amount} == 0;
4145 foreach my $display ( grep { defined($section)
4146 ? $_->section eq $section
4149 #grep { !$_->summary || !$summary_page } # bunk!
4150 grep { !$_->summary || $multisection }
4151 $cust_bill_pkg->cust_bill_pkg_display
4155 my $type = $display->type;
4157 my $desc = $cust_bill_pkg->desc;
4158 $desc = substr($desc, 0, 50). '...'
4159 if $format eq 'latex' && length($desc) > 50;
4161 my %details_opt = ( 'format' => $format,
4162 'escape_function' => $escape_function,
4163 'format_function' => $format_function,
4166 if ( $cust_bill_pkg->pkgnum > 0 ) {
4168 my $cust_pkg = $cust_bill_pkg->cust_pkg;
4170 if ( $cust_bill_pkg->setup != 0 && (!$type || $type eq 'S') ) {
4172 my $description = $desc;
4173 $description .= ' Setup' if $cust_bill_pkg->recur != 0;
4176 unless ( $cust_pkg->part_pkg->hide_svc_detail
4177 || $cust_bill_pkg->hidden )
4180 push @d, map &{$escape_function}($_),
4181 $cust_pkg->h_labels_short($self->_date, undef, 'I')
4182 unless $cust_bill_pkg->pkgpart_override; #don't redisplay services
4184 if ( $multilocation ) {
4185 my $loc = $cust_pkg->location_label;
4186 $loc = substr($loc, 0, 50). '...'
4187 if $format eq 'latex' && length($loc) > 50;
4188 push @d, &{$escape_function}($loc);
4193 push @d, $cust_bill_pkg->details(%details_opt)
4194 if $cust_bill_pkg->recur == 0;
4196 if ( $cust_bill_pkg->hidden ) {
4197 $s->{amount} += $cust_bill_pkg->setup;
4198 $s->{unit_amount} += $cust_bill_pkg->unitsetup;
4199 push @{ $s->{ext_description} }, @d;
4202 description => $description,
4203 #pkgpart => $part_pkg->pkgpart,
4204 pkgnum => $cust_bill_pkg->pkgnum,
4205 amount => $cust_bill_pkg->setup,
4206 unit_amount => $cust_bill_pkg->unitsetup,
4207 quantity => $cust_bill_pkg->quantity,
4208 ext_description => \@d,
4214 if ( ( $cust_bill_pkg->recur != 0 || $cust_bill_pkg->setup == 0 ) &&
4215 ( !$type || $type eq 'R' || $type eq 'U' )
4219 my $is_summary = $display->summary;
4220 my $description = ($is_summary && $type && $type eq 'U')
4221 ? "Usage charges" : $desc;
4223 unless ( $conf->exists('disable_line_item_date_ranges') ) {
4224 $description .= " (" . time2str($date_format, $cust_bill_pkg->sdate).
4225 " - ". time2str($date_format, $cust_bill_pkg->edate). ")";
4230 #at least until cust_bill_pkg has "past" ranges in addition to
4231 #the "future" sdate/edate ones... see #3032
4232 my @dates = ( $self->_date );
4233 my $prev = $cust_bill_pkg->previous_cust_bill_pkg;
4234 push @dates, $prev->sdate if $prev;
4235 push @dates, undef if !$prev;
4237 unless ( $cust_pkg->part_pkg->hide_svc_detail
4238 || $cust_bill_pkg->itemdesc
4239 || $cust_bill_pkg->hidden
4240 || $is_summary && $type && $type eq 'U' )
4243 push @d, map &{$escape_function}($_),
4244 $cust_pkg->h_labels_short(@dates, 'I')
4245 #$cust_bill_pkg->edate,
4246 #$cust_bill_pkg->sdate)
4247 unless $cust_bill_pkg->pkgpart_override; #don't redisplay services
4249 if ( $multilocation ) {
4250 my $loc = $cust_pkg->location_label;
4251 $loc = substr($loc, 0, 50). '...'
4252 if $format eq 'latex' && length($loc) > 50;
4253 push @d, &{$escape_function}($loc);
4258 push @d, $cust_bill_pkg->details(%details_opt)
4259 unless ($is_summary || $type && $type eq 'R');
4263 $amount = $cust_bill_pkg->recur;
4264 }elsif($type eq 'R') {
4265 $amount = $cust_bill_pkg->recur - $cust_bill_pkg->usage;
4266 }elsif($type eq 'U') {
4267 $amount = $cust_bill_pkg->usage;
4270 if ( !$type || $type eq 'R' ) {
4272 if ( $cust_bill_pkg->hidden ) {
4273 $r->{amount} += $amount;
4274 $r->{unit_amount} += $cust_bill_pkg->unitrecur;
4275 push @{ $r->{ext_description} }, @d;
4278 description => $description,
4279 #pkgpart => $part_pkg->pkgpart,
4280 pkgnum => $cust_bill_pkg->pkgnum,
4282 unit_amount => $cust_bill_pkg->unitrecur,
4283 quantity => $cust_bill_pkg->quantity,
4284 ext_description => \@d,
4288 } else { # $type eq 'U'
4290 if ( $cust_bill_pkg->hidden ) {
4291 $u->{amount} += $amount;
4292 $u->{unit_amount} += $cust_bill_pkg->unitrecur;
4293 push @{ $u->{ext_description} }, @d;
4296 description => $description,
4297 #pkgpart => $part_pkg->pkgpart,
4298 pkgnum => $cust_bill_pkg->pkgnum,
4300 unit_amount => $cust_bill_pkg->unitrecur,
4301 quantity => $cust_bill_pkg->quantity,
4302 ext_description => \@d,
4308 } # recurring or usage with recurring charge
4310 } else { #pkgnum tax or one-shot line item (??)
4312 if ( $cust_bill_pkg->setup != 0 ) {
4314 'description' => $desc,
4315 'amount' => sprintf("%.2f", $cust_bill_pkg->setup),
4318 if ( $cust_bill_pkg->recur != 0 ) {
4320 'description' => "$desc (".
4321 time2str($date_format, $cust_bill_pkg->sdate). ' - '.
4322 time2str($date_format, $cust_bill_pkg->edate). ')',
4323 'amount' => sprintf("%.2f", $cust_bill_pkg->recur),
4333 foreach ( $s, $r, ($opt{skip_usage} ? () : $u ) ) {
4335 $_->{amount} = sprintf( "%.2f", $_->{amount} ),
4336 $_->{amount} =~ s/^\-0\.00$/0.00/;
4337 $_->{unit_amount} = sprintf( "%.2f", $_->{unit_amount} ),
4339 unless $_->{amount} == 0;
4347 sub _items_credits {
4348 my( $self, %opt ) = @_;
4349 my $trim_len = $opt{'trim_len'} || 60;
4353 foreach ( $self->cust_credited ) {
4355 #something more elaborate if $_->amount ne $_->cust_credit->credited ?
4357 my $reason = substr($_->cust_credit->reason, 0, $trim_len);
4358 $reason .= '...' if length($reason) < length($_->cust_credit->reason);
4359 $reason = " ($reason) " if $reason;
4362 #'description' => 'Credit ref\#'. $_->crednum.
4363 # " (". time2str("%x",$_->cust_credit->_date) .")".
4365 'description' => 'Credit applied '.
4366 time2str($date_format,$_->cust_credit->_date). $reason,
4367 'amount' => sprintf("%.2f",$_->amount),
4375 sub _items_payments {
4379 #get & print payments
4380 foreach ( $self->cust_bill_pay ) {
4382 #something more elaborate if $_->amount ne ->cust_pay->paid ?
4385 'description' => "Payment received ".
4386 time2str($date_format,$_->cust_pay->_date ),
4387 'amount' => sprintf("%.2f", $_->amount )
4395 =item call_details [ OPTION => VALUE ... ]
4397 Returns an array of CSV strings representing the call details for this invoice
4398 The only option available is the boolean prepend_billed_number
4403 my ($self, %opt) = @_;
4405 my $format_function = sub { shift };
4407 if ($opt{prepend_billed_number}) {
4408 $format_function = sub {
4412 $row->amount ? $row->phonenum. ",". $detail : '"Billed number",'. $detail;
4417 my @details = map { $_->details( 'format_function' => $format_function,
4418 'escape_function' => sub{ return() },
4422 $self->cust_bill_pkg;
4423 my $header = $details[0];
4424 ( $header, grep { $_ ne $header } @details );
4434 =item process_reprint
4438 sub process_reprint {
4439 process_re_X('print', @_);
4442 =item process_reemail
4446 sub process_reemail {
4447 process_re_X('email', @_);
4455 process_re_X('fax', @_);
4463 process_re_X('ftp', @_);
4470 sub process_respool {
4471 process_re_X('spool', @_);
4474 use Storable qw(thaw);
4478 my( $method, $job ) = ( shift, shift );
4479 warn "$me process_re_X $method for job $job\n" if $DEBUG;
4481 my $param = thaw(decode_base64(shift));
4482 warn Dumper($param) if $DEBUG;
4493 my($method, $job, %param ) = @_;
4495 warn "re_X $method for job $job with param:\n".
4496 join( '', map { " $_ => ". $param{$_}. "\n" } keys %param );
4499 #some false laziness w/search/cust_bill.html
4501 my $orderby = 'ORDER BY cust_bill._date';
4503 my $extra_sql = ' WHERE '. FS::cust_bill->search_sql_where(\%param);
4505 my $addl_from = 'LEFT JOIN cust_main USING ( custnum )';
4507 my @cust_bill = qsearch( {
4508 #'select' => "cust_bill.*",
4509 'table' => 'cust_bill',
4510 'addl_from' => $addl_from,
4512 'extra_sql' => $extra_sql,
4513 'order_by' => $orderby,
4517 $method .= '_invoice' unless $method eq 'email' || $method eq 'print';
4519 warn " $me re_X $method: ". scalar(@cust_bill). " invoices found\n"
4522 my( $num, $last, $min_sec ) = (0, time, 5); #progresbar foo
4523 foreach my $cust_bill ( @cust_bill ) {
4524 $cust_bill->$method();
4526 if ( $job ) { #progressbar foo
4528 if ( time - $min_sec > $last ) {
4529 my $error = $job->update_statustext(
4530 int( 100 * $num / scalar(@cust_bill) )
4532 die $error if $error;
4543 =head1 CLASS METHODS
4549 Returns an SQL fragment to retreive the amount owed (charged minus credited and paid).
4554 my ($class, $start, $end) = @_;
4556 $class->paid_sql($start, $end). ' - '.
4557 $class->credited_sql($start, $end);
4562 Returns an SQL fragment to retreive the net amount (charged minus credited).
4567 my ($class, $start, $end) = @_;
4568 'charged - '. $class->credited_sql($start, $end);
4573 Returns an SQL fragment to retreive the amount paid against this invoice.
4578 my ($class, $start, $end) = @_;
4579 $start &&= "AND cust_bill_pay._date <= $start";
4580 $end &&= "AND cust_bill_pay._date > $end";
4581 $start = '' unless defined($start);
4582 $end = '' unless defined($end);
4583 "( SELECT COALESCE(SUM(amount),0) FROM cust_bill_pay
4584 WHERE cust_bill.invnum = cust_bill_pay.invnum $start $end )";
4589 Returns an SQL fragment to retreive the amount credited against this invoice.
4594 my ($class, $start, $end) = @_;
4595 $start &&= "AND cust_credit_bill._date <= $start";
4596 $end &&= "AND cust_credit_bill._date > $end";
4597 $start = '' unless defined($start);
4598 $end = '' unless defined($end);
4599 "( SELECT COALESCE(SUM(amount),0) FROM cust_credit_bill
4600 WHERE cust_bill.invnum = cust_credit_bill.invnum $start $end )";
4605 Returns an SQL fragment to retrieve the due date of an invoice.
4606 Currently only supported on PostgreSQL.
4614 cust_bill.invoice_terms,
4615 cust_main.invoice_terms,
4616 \''.($conf->config('invoice_default_terms') || '').'\'
4617 ), E\'Net (\\\\d+)\'
4619 ) * 86400 + cust_bill._date'
4622 =item search_sql_where HASHREF
4624 Class method which returns an SQL WHERE fragment to search for parameters
4625 specified in HASHREF. Valid parameters are
4631 List reference of start date, end date, as UNIX timestamps.
4641 List reference of charged limits (exclusive).
4645 List reference of charged limits (exclusive).
4649 flag, return open invoices only
4653 flag, return net invoices only
4657 =item newest_percust
4661 Note: validates all passed-in data; i.e. safe to use with unchecked CGI params.
4665 sub search_sql_where {
4666 my($class, $param) = @_;
4668 warn "$me search_sql_where called with params: \n".
4669 join("\n", map { " $_: ". $param->{$_} } keys %$param ). "\n";
4675 if ( $param->{'agentnum'} =~ /^(\d+)$/ ) {
4676 push @search, "cust_main.agentnum = $1";
4680 if ( $param->{_date} ) {
4681 my($beginning, $ending) = @{$param->{_date}};
4683 push @search, "cust_bill._date >= $beginning",
4684 "cust_bill._date < $ending";
4688 if ( $param->{'invnum_min'} =~ /^(\d+)$/ ) {
4689 push @search, "cust_bill.invnum >= $1";
4691 if ( $param->{'invnum_max'} =~ /^(\d+)$/ ) {
4692 push @search, "cust_bill.invnum <= $1";
4696 if ( $param->{charged} ) {
4697 my @charged = ref($param->{charged})
4698 ? @{ $param->{charged} }
4699 : ($param->{charged});
4701 push @search, map { s/^charged/cust_bill.charged/; $_; }
4705 my $owed_sql = FS::cust_bill->owed_sql;
4708 if ( $param->{owed} ) {
4709 my @owed = ref($param->{owed})
4710 ? @{ $param->{owed} }
4712 push @search, map { s/^owed/$owed_sql/; $_; }
4717 push @search, "0 != $owed_sql"
4718 if $param->{'open'};
4719 push @search, '0 != '. FS::cust_bill->net_sql
4723 push @search, "cust_bill._date < ". (time-86400*$param->{'days'})
4724 if $param->{'days'};
4727 if ( $param->{'newest_percust'} ) {
4729 #$distinct = 'DISTINCT ON ( cust_bill.custnum )';
4730 #$orderby = 'ORDER BY cust_bill.custnum ASC, cust_bill._date DESC';
4732 my @newest_where = map { my $x = $_;
4733 $x =~ s/\bcust_bill\./newest_cust_bill./g;
4736 grep ! /^cust_main./, @search;
4737 my $newest_where = scalar(@newest_where)
4738 ? ' AND '. join(' AND ', @newest_where)
4742 push @search, "cust_bill._date = (
4743 SELECT(MAX(newest_cust_bill._date)) FROM cust_bill AS newest_cust_bill
4744 WHERE newest_cust_bill.custnum = cust_bill.custnum
4750 #agent virtualization
4751 my $curuser = $FS::CurrentUser::CurrentUser;
4752 if ( $curuser->username eq 'fs_queue'
4753 && $param->{'CurrentUser'} =~ /^(\w+)$/ ) {
4755 my $newuser = qsearchs('access_user', {
4756 'username' => $username,
4760 $curuser = $newuser;
4762 warn "$me WARNING: (fs_queue) can't find CurrentUser $username\n";
4765 push @search, $curuser->agentnums_sql;
4767 join(' AND ', @search );
4779 L<FS::Record>, L<FS::cust_main>, L<FS::cust_bill_pay>, L<FS::cust_pay>,
4780 L<FS::cust_bill_pkg>, L<FS::cust_bill_credit>, schema.html from the base