=resolved uncommited prepared statement
[kivitendo-erp.git] / SL / Form.pm
1 #========= ===========================================================
2 # LX-Office ERP
3 # Copyright (C) 2004
4 # Based on SQL-Ledger Version 2.1.9
5 # Web http://www.lx-office.org
6 #
7 #=====================================================================
8 # SQL-Ledger Accounting
9 # Copyright (C) 1998-2002
10 #
11 #  Author: Dieter Simader
12 #   Email: dsimader@sql-ledger.org
13 #     Web: http://www.sql-ledger.org
14 #
15 # Contributors: Thomas Bayen <bayen@gmx.de>
16 #               Antti Kaihola <akaihola@siba.fi>
17 #               Moritz Bunkus (tex code)
18 #
19 # This program is free software; you can redistribute it and/or modify
20 # it under the terms of the GNU General Public License as published by
21 # the Free Software Foundation; either version 2 of the License, or
22 # (at your option) any later version.
23 #
24 # This program is distributed in the hope that it will be useful,
25 # but WITHOUT ANY WARRANTY; without even the implied warranty of
26 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
27 # GNU General Public License for more details.
28 # You should have received a copy of the GNU General Public License
29 # along with this program; if not, write to the Free Software
30 # Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
31 #======================================================================
32 # Utilities for parsing forms
33 # and supporting routines for linking account numbers
34 # used in AR, AP and IS, IR modules
35 #
36 #======================================================================
37
38 package Form;
39
40 use Carp;
41 use Data::Dumper;
42
43 use Carp;
44 use Config;
45 use CGI;
46 use Cwd;
47 use Encode;
48 use File::Copy;
49 use IO::File;
50 use Math::BigInt;
51 use SL::Auth;
52 use SL::Auth::DB;
53 use SL::Auth::LDAP;
54 use SL::AM;
55 use SL::Common;
56 use SL::CVar;
57 use SL::DB;
58 use SL::DBConnect;
59 use SL::DBUtils;
60 use SL::DB::Customer;
61 use SL::DB::Default;
62 use SL::DB::PaymentTerm;
63 use SL::DB::Vendor;
64 use SL::DO;
65 use SL::IC;
66 use SL::IS;
67 use SL::Layout::Dispatcher;
68 use SL::Locale;
69 use SL::Mailer;
70 use SL::Menu;
71 use SL::MoreCommon qw(uri_encode uri_decode);
72 use SL::OE;
73 use SL::PrefixedNumber;
74 use SL::Request;
75 use SL::Template;
76 use SL::User;
77 use SL::X;
78 use Template;
79 use URI;
80 use List::Util qw(first max min sum);
81 use List::MoreUtils qw(all any apply);
82 use SL::DB::Tax;
83
84 use strict;
85
86 my $standard_dbh;
87
88 END {
89   disconnect_standard_dbh();
90 }
91
92 sub disconnect_standard_dbh {
93   return unless $standard_dbh;
94
95   $standard_dbh->rollback();
96   undef $standard_dbh;
97 }
98
99 sub read_version {
100   my ($self) = @_;
101
102   open VERSION_FILE, "VERSION";                 # New but flexible code reads version from VERSION-file
103   my $version =  <VERSION_FILE>;
104   $version    =~ s/[^0-9A-Za-z\.\_\-]//g; # only allow numbers, letters, points, underscores and dashes. Prevents injecting of malicious code.
105   close VERSION_FILE;
106
107   return $version;
108 }
109
110 sub new {
111   $main::lxdebug->enter_sub();
112
113   my $type = shift;
114
115   my $self = {};
116
117   no warnings 'once';
118   if ($LXDebug::watch_form) {
119     require SL::Watchdog;
120     tie %{ $self }, 'SL::Watchdog';
121   }
122
123   bless $self, $type;
124
125   $self->{version} = $self->read_version;
126
127   $main::lxdebug->leave_sub();
128
129   return $self;
130 }
131
132 sub read_cgi_input {
133   my ($self) = @_;
134   SL::Request::read_cgi_input($self);
135 }
136
137 sub _flatten_variables_rec {
138   $main::lxdebug->enter_sub(2);
139
140   my $self   = shift;
141   my $curr   = shift;
142   my $prefix = shift;
143   my $key    = shift;
144
145   my @result;
146
147   if ('' eq ref $curr->{$key}) {
148     @result = ({ 'key' => $prefix . $key, 'value' => $curr->{$key} });
149
150   } elsif ('HASH' eq ref $curr->{$key}) {
151     foreach my $hash_key (sort keys %{ $curr->{$key} }) {
152       push @result, $self->_flatten_variables_rec($curr->{$key}, $prefix . $key . '.', $hash_key);
153     }
154
155   } else {
156     foreach my $idx (0 .. scalar @{ $curr->{$key} } - 1) {
157       my $first_array_entry = 1;
158
159       my $element = $curr->{$key}[$idx];
160
161       if ('HASH' eq ref $element) {
162         foreach my $hash_key (sort keys %{ $element }) {
163           push @result, $self->_flatten_variables_rec($element, $prefix . $key . ($first_array_entry ? '[+].' : '[].'), $hash_key);
164           $first_array_entry = 0;
165         }
166       } else {
167         @result = ({ 'key' => $prefix . $key . ($first_array_entry ? '[+]' : '[]'), 'value' => $element });
168       }
169     }
170   }
171
172   $main::lxdebug->leave_sub(2);
173
174   return @result;
175 }
176
177 sub flatten_variables {
178   $main::lxdebug->enter_sub(2);
179
180   my $self = shift;
181   my @keys = @_;
182
183   my @variables;
184
185   foreach (@keys) {
186     push @variables, $self->_flatten_variables_rec($self, '', $_);
187   }
188
189   $main::lxdebug->leave_sub(2);
190
191   return @variables;
192 }
193
194 sub flatten_standard_variables {
195   $main::lxdebug->enter_sub(2);
196
197   my $self      = shift;
198   my %skip_keys = map { $_ => 1 } (qw(login password header stylesheet titlebar version), @_);
199
200   my @variables;
201
202   foreach (grep { ! $skip_keys{$_} } keys %{ $self }) {
203     push @variables, $self->_flatten_variables_rec($self, '', $_);
204   }
205
206   $main::lxdebug->leave_sub(2);
207
208   return @variables;
209 }
210
211 sub debug {
212   $main::lxdebug->enter_sub();
213
214   my ($self) = @_;
215
216   print "\n";
217
218   map { print "$_ = $self->{$_}\n" } (sort keys %{$self});
219
220   $main::lxdebug->leave_sub();
221 }
222
223 sub dumper {
224   $main::lxdebug->enter_sub(2);
225
226   my $self          = shift;
227   my $password      = $self->{password};
228
229   $self->{password} = 'X' x 8;
230
231   local $Data::Dumper::Sortkeys = 1;
232   my $output                    = Dumper($self);
233
234   $self->{password} = $password;
235
236   $main::lxdebug->leave_sub(2);
237
238   return $output;
239 }
240
241 sub escape {
242   my ($self, $str) = @_;
243
244   return uri_encode($str);
245 }
246
247 sub unescape {
248   my ($self, $str) = @_;
249
250   return uri_decode($str);
251 }
252
253 sub quote {
254   $main::lxdebug->enter_sub();
255   my ($self, $str) = @_;
256
257   if ($str && !ref($str)) {
258     $str =~ s/\"/&quot;/g;
259   }
260
261   $main::lxdebug->leave_sub();
262
263   return $str;
264 }
265
266 sub unquote {
267   $main::lxdebug->enter_sub();
268   my ($self, $str) = @_;
269
270   if ($str && !ref($str)) {
271     $str =~ s/&quot;/\"/g;
272   }
273
274   $main::lxdebug->leave_sub();
275
276   return $str;
277 }
278
279 sub hide_form {
280   $main::lxdebug->enter_sub();
281   my $self = shift;
282
283   if (@_) {
284     map({ print($::request->{cgi}->hidden("-name" => $_, "-default" => $self->{$_}) . "\n"); } @_);
285   } else {
286     for (sort keys %$self) {
287       next if (($_ eq "header") || (ref($self->{$_}) ne ""));
288       print($::request->{cgi}->hidden("-name" => $_, "-default" => $self->{$_}) . "\n");
289     }
290   }
291   $main::lxdebug->leave_sub();
292 }
293
294 sub throw_on_error {
295   my ($self, $code) = @_;
296   local $self->{__ERROR_HANDLER} = sub { die SL::X::FormError->new($_[0]) };
297   $code->();
298 }
299
300 sub error {
301   $main::lxdebug->enter_sub();
302
303   $main::lxdebug->show_backtrace();
304
305   my ($self, $msg) = @_;
306
307   if ($self->{__ERROR_HANDLER}) {
308     $self->{__ERROR_HANDLER}->($msg);
309
310   } elsif ($ENV{HTTP_USER_AGENT}) {
311     $msg =~ s/\n/<br>/g;
312     $self->show_generic_error($msg);
313
314   } else {
315     confess "Error: $msg\n";
316   }
317
318   $main::lxdebug->leave_sub();
319 }
320
321 sub info {
322   $main::lxdebug->enter_sub();
323
324   my ($self, $msg) = @_;
325
326   if ($ENV{HTTP_USER_AGENT}) {
327     $self->header;
328     print $self->parse_html_template('generic/form_info', { message => $msg });
329
330   } elsif ($self->{info_function}) {
331     &{ $self->{info_function} }($msg);
332   } else {
333     print "$msg\n";
334   }
335
336   $main::lxdebug->leave_sub();
337 }
338
339 # calculates the number of rows in a textarea based on the content and column number
340 # can be capped with maxrows
341 sub numtextrows {
342   $main::lxdebug->enter_sub();
343   my ($self, $str, $cols, $maxrows, $minrows) = @_;
344
345   $minrows ||= 1;
346
347   my $rows   = sum map { int((length() - 2) / $cols) + 1 } split /\r/, $str;
348   $maxrows ||= $rows;
349
350   $main::lxdebug->leave_sub();
351
352   return max(min($rows, $maxrows), $minrows);
353 }
354
355 sub dberror {
356   $main::lxdebug->enter_sub();
357
358   my ($self, $msg) = @_;
359
360   $self->error("$msg\n" . $DBI::errstr);
361
362   $main::lxdebug->leave_sub();
363 }
364
365 sub isblank {
366   $main::lxdebug->enter_sub();
367
368   my ($self, $name, $msg) = @_;
369
370   my $curr = $self;
371   foreach my $part (split m/\./, $name) {
372     if (!$curr->{$part} || ($curr->{$part} =~ /^\s*$/)) {
373       $self->error($msg);
374     }
375     $curr = $curr->{$part};
376   }
377
378   $main::lxdebug->leave_sub();
379 }
380
381 sub _get_request_uri {
382   my $self = shift;
383
384   return URI->new($ENV{HTTP_REFERER})->canonical() if $ENV{HTTP_X_FORWARDED_FOR};
385   return URI->new                                  if !$ENV{REQUEST_URI}; # for testing
386
387   my $scheme =  $ENV{HTTPS} && (lc $ENV{HTTPS} eq 'on') ? 'https' : 'http';
388   my $port   =  $ENV{SERVER_PORT};
389   $port      =  undef if (($scheme eq 'http' ) && ($port == 80))
390                       || (($scheme eq 'https') && ($port == 443));
391
392   my $uri    =  URI->new("${scheme}://");
393   $uri->scheme($scheme);
394   $uri->port($port);
395   $uri->host($ENV{HTTP_HOST} || $ENV{SERVER_ADDR});
396   $uri->path_query($ENV{REQUEST_URI});
397   $uri->query('');
398
399   return $uri;
400 }
401
402 sub _add_to_request_uri {
403   my $self              = shift;
404
405   my $relative_new_path = shift;
406   my $request_uri       = shift || $self->_get_request_uri;
407   my $relative_new_uri  = URI->new($relative_new_path);
408   my @request_segments  = $request_uri->path_segments;
409
410   my $new_uri           = $request_uri->clone;
411   $new_uri->path_segments(@request_segments[0..scalar(@request_segments) - 2], $relative_new_uri->path_segments);
412
413   return $new_uri;
414 }
415
416 sub create_http_response {
417   $main::lxdebug->enter_sub();
418
419   my $self     = shift;
420   my %params   = @_;
421
422   my $cgi      = $::request->{cgi};
423
424   my $session_cookie;
425   if (defined $main::auth) {
426     my $uri      = $self->_get_request_uri;
427     my @segments = $uri->path_segments;
428     pop @segments;
429     $uri->path_segments(@segments);
430
431     my $session_cookie_value = $main::auth->get_session_id();
432
433     if ($session_cookie_value) {
434       $session_cookie = $cgi->cookie('-name'   => $main::auth->get_session_cookie_name(),
435                                      '-value'  => $session_cookie_value,
436                                      '-path'   => $uri->path,
437                                      '-secure' => $ENV{HTTPS});
438     }
439   }
440
441   my %cgi_params = ('-type' => $params{content_type});
442   $cgi_params{'-charset'} = $params{charset} if ($params{charset});
443   $cgi_params{'-cookie'}  = $session_cookie  if ($session_cookie);
444
445   map { $cgi_params{'-' . $_} = $params{$_} if exists $params{$_} } qw(content_disposition content_length);
446
447   my $output = $cgi->header(%cgi_params);
448
449   $main::lxdebug->leave_sub();
450
451   return $output;
452 }
453
454 sub header {
455   $::lxdebug->enter_sub;
456
457   my ($self, %params) = @_;
458   my @header;
459
460   $::lxdebug->leave_sub and return if !$ENV{HTTP_USER_AGENT} || $self->{header}++;
461
462   if ($params{no_layout}) {
463     $::request->{layout} = SL::Layout::Dispatcher->new(style => 'none');
464   }
465
466   my $layout = $::request->{layout};
467
468   # standard css for all
469   # this should gradually move to the layouts that need it
470   $layout->use_stylesheet("$_.css") for qw(
471     main menu common list_accounts jquery.autocomplete
472     jquery.multiselect2side
473     ui-lightness/jquery-ui
474     jquery-ui.custom
475     tooltipster themes/tooltipster-light
476   );
477
478   $layout->use_javascript("$_.js") for (qw(
479     jquery jquery-ui jquery.cookie jquery.checkall jquery.download
480     jquery/jquery.form jquery/fixes client_js
481     jquery/jquery.tooltipster.min
482     common part_selection switchmenuframe
483   ), "jquery/ui/i18n/jquery.ui.datepicker-$::myconfig{countrycode}");
484
485   $self->{favicon} ||= "favicon.ico";
486   $self->{titlebar} = join ' - ', grep $_, $self->{title}, $self->{login}, $::myconfig{dbname}, $self->{version} if $self->{title} || !$self->{titlebar};
487
488   # build includes
489   if ($self->{refresh_url} || $self->{refresh_time}) {
490     my $refresh_time = $self->{refresh_time} || 3;
491     my $refresh_url  = $self->{refresh_url}  || $ENV{REFERER};
492     push @header, "<meta http-equiv='refresh' content='$refresh_time;$refresh_url'>";
493   }
494
495   my $auto_reload_resources_param = $layout->auto_reload_resources_param;
496
497   push @header, map { qq|<link rel="stylesheet" href="${_}${auto_reload_resources_param}" type="text/css" title="Stylesheet">| } $layout->stylesheets;
498   push @header, "<style type='text/css'>\@page { size:landscape; }</style> "                     if $self->{landscape};
499   push @header, "<link rel='shortcut icon' href='$self->{favicon}' type='image/x-icon'>"         if -f $self->{favicon};
500   push @header, map { qq|<script type="text/javascript" src="${_}${auto_reload_resources_param}"></script>| }                    $layout->javascripts;
501   push @header, $self->{javascript} if $self->{javascript};
502   push @header, map { $_->show_javascript } @{ $self->{AJAX} || [] };
503
504   my  %doctypes = (
505     strict       => qq|<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN" "http://www.w3.org/TR/html4/strict.dtd">|,
506     transitional => qq|<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">|,
507     frameset     => qq|<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Frameset//EN" "http://www.w3.org/TR/html4/frameset.dtd">|,
508     html5        => qq|<!DOCTYPE html>|,
509   );
510
511   # output
512   print $self->create_http_response(content_type => 'text/html', charset => 'UTF-8');
513   print $doctypes{$params{doctype} || 'transitional'}, $/;
514   print <<EOT;
515 <html>
516  <head>
517   <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
518   <title>$self->{titlebar}</title>
519 EOT
520   print "  $_\n" for @header;
521   print <<EOT;
522   <meta name="robots" content="noindex,nofollow">
523  </head>
524  <body>
525
526 EOT
527   print $::request->{layout}->pre_content;
528   print $::request->{layout}->start_content;
529
530   $layout->header_done;
531
532   $::lxdebug->leave_sub;
533 }
534
535 sub footer {
536   return unless $::request->{layout}->need_footer;
537
538   print $::request->{layout}->end_content;
539   print $::request->{layout}->post_content;
540
541   if (my @inline_scripts = $::request->{layout}->javascripts_inline) {
542     print "<script type='text/javascript'>" . join("; ", @inline_scripts) . "</script>\n";
543   }
544
545   print <<EOL
546  </body>
547 </html>
548 EOL
549 }
550
551 sub ajax_response_header {
552   $main::lxdebug->enter_sub();
553
554   my ($self) = @_;
555
556   my $output = $::request->{cgi}->header('-charset' => 'UTF-8');
557
558   $main::lxdebug->leave_sub();
559
560   return $output;
561 }
562
563 sub redirect_header {
564   my $self     = shift;
565   my $new_url  = shift;
566
567   my $base_uri = $self->_get_request_uri;
568   my $new_uri  = URI->new_abs($new_url, $base_uri);
569
570   die "Headers already sent" if $self->{header};
571   $self->{header} = 1;
572
573   return $::request->{cgi}->redirect($new_uri);
574 }
575
576 sub set_standard_title {
577   $::lxdebug->enter_sub;
578   my $self = shift;
579
580   $self->{titlebar}  = "kivitendo " . $::locale->text('Version') . " $self->{version}";
581   $self->{titlebar} .= "- $::myconfig{name}"   if $::myconfig{name};
582   $self->{titlebar} .= "- $::myconfig{dbname}" if $::myconfig{name};
583
584   $::lxdebug->leave_sub;
585 }
586
587 sub prepare_global_vars {
588   my ($self) = @_;
589
590   $self->{AUTH}            = $::auth;
591   $self->{INSTANCE_CONF}   = $::instance_conf;
592   $self->{LOCALE}          = $::locale;
593   $self->{LXCONFIG}        = $::lx_office_conf;
594   $self->{LXDEBUG}         = $::lxdebug;
595   $self->{MYCONFIG}        = \%::myconfig;
596 }
597
598 sub _prepare_html_template {
599   $main::lxdebug->enter_sub();
600
601   my ($self, $file, $additional_params) = @_;
602   my $language;
603
604   if (!%::myconfig || !$::myconfig{"countrycode"}) {
605     $language = $::lx_office_conf{system}->{language};
606   } else {
607     $language = $main::myconfig{"countrycode"};
608   }
609   $language = "de" unless ($language);
610
611   if (-f "templates/webpages/${file}.html") {
612     $file = "templates/webpages/${file}.html";
613
614   } elsif (ref $file eq 'SCALAR') {
615     # file is a scalarref, use inline mode
616   } else {
617     my $info = "Web page template '${file}' not found.\n";
618     $::form->header;
619     print qq|<pre>$info</pre>|;
620     ::end_of_request();
621   }
622
623   if ($self->{"DEBUG"}) {
624     $additional_params->{"DEBUG"} = $self->{"DEBUG"};
625   }
626
627   if ($additional_params->{"DEBUG"}) {
628     $additional_params->{"DEBUG"} =
629       "<br><em>DEBUG INFORMATION:</em><pre>" . $additional_params->{"DEBUG"} . "</pre>";
630   }
631
632   if (%main::myconfig) {
633     $::myconfig{jsc_dateformat} = apply {
634       s/d+/\%d/gi;
635       s/m+/\%m/gi;
636       s/y+/\%Y/gi;
637     } $::myconfig{"dateformat"};
638     $additional_params->{"myconfig"} ||= \%::myconfig;
639     map { $additional_params->{"myconfig_${_}"} = $main::myconfig{$_}; } keys %::myconfig;
640   }
641
642   $additional_params->{INSTANCE_CONF} = $::instance_conf;
643
644   if (my $debug_options = $::lx_office_conf{debug}{options}) {
645     map { $additional_params->{'DEBUG_' . uc($_)} = $debug_options->{$_} } keys %$debug_options;
646   }
647
648   if ($main::auth && $main::auth->{RIGHTS} && $main::auth->{RIGHTS}->{$self->{login}}) {
649     while (my ($key, $value) = each %{ $main::auth->{RIGHTS}->{$self->{login}} }) {
650       $additional_params->{"AUTH_RIGHTS_" . uc($key)} = $value;
651     }
652   }
653
654   $main::lxdebug->leave_sub();
655
656   return $file;
657 }
658
659 sub parse_html_template {
660   $main::lxdebug->enter_sub();
661
662   my ($self, $file, $additional_params) = @_;
663
664   $additional_params ||= { };
665
666   my $real_file = $self->_prepare_html_template($file, $additional_params);
667   my $template  = $self->template || $self->init_template;
668
669   map { $additional_params->{$_} ||= $self->{$_} } keys %{ $self };
670
671   my $output;
672   $template->process($real_file, $additional_params, \$output) || die $template->error;
673
674   $main::lxdebug->leave_sub();
675
676   return $output;
677 }
678
679 sub init_template {
680   my $self = shift;
681
682   return $self->template if $self->template;
683
684   # Force scripts/locales.pl to pick up the exception handling template.
685   # parse_html_template('generic/exception')
686   return $self->template(Template->new({
687      'INTERPOLATE'  => 0,
688      'EVAL_PERL'    => 0,
689      'ABSOLUTE'     => 1,
690      'CACHE_SIZE'   => 0,
691      'PLUGIN_BASE'  => 'SL::Template::Plugin',
692      'INCLUDE_PATH' => '.:templates/webpages',
693      'COMPILE_EXT'  => '.tcc',
694      'COMPILE_DIR'  => $::lx_office_conf{paths}->{userspath} . '/templates-cache',
695      'ERROR'        => 'templates/webpages/generic/exception.html',
696      'ENCODING'     => 'utf8',
697   })) || die;
698 }
699
700 sub template {
701   my $self = shift;
702   $self->{template_object} = shift if @_;
703   return $self->{template_object};
704 }
705
706 sub show_generic_error {
707   $main::lxdebug->enter_sub();
708
709   my ($self, $error, %params) = @_;
710
711   if ($self->{__ERROR_HANDLER}) {
712     $self->{__ERROR_HANDLER}->($error);
713     $main::lxdebug->leave_sub();
714     return;
715   }
716
717   if ($::request->is_ajax) {
718     SL::ClientJS->new
719       ->error($error)
720       ->render(SL::Controller::Base->new);
721     ::end_of_request();
722   }
723
724   my $add_params = {
725     'title_error' => $params{title},
726     'label_error' => $error,
727   };
728
729   if ($params{action}) {
730     my @vars;
731
732     map { delete($self->{$_}); } qw(action);
733     map { push @vars, { "name" => $_, "value" => $self->{$_} } if (!ref($self->{$_})); } keys %{ $self };
734
735     $add_params->{SHOW_BUTTON}  = 1;
736     $add_params->{BUTTON_LABEL} = $params{label} || $params{action};
737     $add_params->{VARIABLES}    = \@vars;
738
739   } elsif ($params{back_button}) {
740     $add_params->{SHOW_BACK_BUTTON} = 1;
741   }
742
743   $self->{title} = $params{title} if $params{title};
744
745   $self->header();
746   print $self->parse_html_template("generic/error", $add_params);
747
748   print STDERR "Error: $error\n";
749
750   $main::lxdebug->leave_sub();
751
752   ::end_of_request();
753 }
754
755 sub show_generic_information {
756   $main::lxdebug->enter_sub();
757
758   my ($self, $text, $title) = @_;
759
760   my $add_params = {
761     'title_information' => $title,
762     'label_information' => $text,
763   };
764
765   $self->{title} = $title if ($title);
766
767   $self->header();
768   print $self->parse_html_template("generic/information", $add_params);
769
770   $main::lxdebug->leave_sub();
771
772   ::end_of_request();
773 }
774
775 sub _store_redirect_info_in_session {
776   my ($self) = @_;
777
778   return unless $self->{callback} =~ m:^ ( [^\?/]+ \.pl ) \? (.+) :x;
779
780   my ($controller, $params) = ($1, $2);
781   my $form                  = { map { map { $self->unescape($_) } split /=/, $_, 2 } split m/\&/, $params };
782   $self->{callback}         = "${controller}?RESTORE_FORM_FROM_SESSION_ID=" . $::auth->save_form_in_session(form => $form);
783 }
784
785 sub redirect {
786   $main::lxdebug->enter_sub();
787
788   my ($self, $msg) = @_;
789
790   if (!$self->{callback}) {
791     $self->info($msg);
792
793   } else {
794     $self->_store_redirect_info_in_session;
795     print $::form->redirect_header($self->{callback});
796   }
797
798   ::end_of_request();
799
800   $main::lxdebug->leave_sub();
801 }
802
803 # sort of columns removed - empty sub
804 sub sort_columns {
805   $main::lxdebug->enter_sub();
806
807   my ($self, @columns) = @_;
808
809   $main::lxdebug->leave_sub();
810
811   return @columns;
812 }
813 #
814 sub format_amount {
815   $main::lxdebug->enter_sub(2);
816
817   my ($self, $myconfig, $amount, $places, $dash) = @_;
818   $amount ||= 0;
819   $dash   ||= '';
820   my $neg = $amount < 0;
821   my $force_places = defined $places && $places >= 0;
822
823   $amount = $self->round_amount($amount, abs $places) if $force_places;
824   $amount = sprintf "%.*f", ($force_places ? $places : 10), abs $amount; # 6 is default for %fa
825
826   # before the sprintf amount was a number, afterwards it's a string. because of the dynamic nature of perl
827   # this is easy to confuse, so keep in mind: before this comment no s///, m//, concat or other strong ops on
828   # $amount. after this comment no +,-,*,/,abs. it will only introduce subtle bugs.
829
830   $amount =~ s/0*$// unless defined $places && $places == 0;             # cull trailing 0s
831
832   my @d = map { s/\d//g; reverse split // } my $tmp = $myconfig->{numberformat}; # get delim chars
833   my @p = split(/\./, $amount);                                          # split amount at decimal point
834
835   $p[0] =~ s/\B(?=(...)*$)/$d[1]/g if $d[1];                             # add 1,000 delimiters
836   $amount = $p[0];
837   if ($places || $p[1]) {
838     $amount .= $d[0]
839             .  ( $p[1] || '' )
840             .  (0 x (abs($places || 0) - length ($p[1]||'')));           # pad the fraction
841   }
842
843   $amount = do {
844     ($dash =~ /-/)    ? ($neg ? "($amount)"                            : "$amount" )                              :
845     ($dash =~ /DRCR/) ? ($neg ? "$amount " . $main::locale->text('DR') : "$amount " . $main::locale->text('CR') ) :
846                         ($neg ? "-$amount"                             : "$amount" )                              ;
847   };
848
849   $main::lxdebug->leave_sub(2);
850   return $amount;
851 }
852
853 sub format_amount_unit {
854   $main::lxdebug->enter_sub();
855
856   my $self             = shift;
857   my %params           = @_;
858
859   my $myconfig         = \%main::myconfig;
860   my $amount           = $params{amount} * 1;
861   my $places           = $params{places};
862   my $part_unit_name   = $params{part_unit};
863   my $amount_unit_name = $params{amount_unit};
864   my $conv_units       = $params{conv_units};
865   my $max_places       = $params{max_places};
866
867   if (!$part_unit_name) {
868     $main::lxdebug->leave_sub();
869     return '';
870   }
871
872   my $all_units        = AM->retrieve_all_units;
873
874   if (('' eq ref $conv_units) && ($conv_units =~ /convertible/)) {
875     $conv_units = AM->convertible_units($all_units, $part_unit_name, $conv_units eq 'convertible_not_smaller');
876   }
877
878   if (!scalar @{ $conv_units }) {
879     my $result = $self->format_amount($myconfig, $amount, $places, undef, $max_places) . " " . $part_unit_name;
880     $main::lxdebug->leave_sub();
881     return $result;
882   }
883
884   my $part_unit  = $all_units->{$part_unit_name};
885   my $conv_unit  = ($amount_unit_name && ($amount_unit_name ne $part_unit_name)) ? $all_units->{$amount_unit_name} : $part_unit;
886
887   $amount       *= $conv_unit->{factor};
888
889   my @values;
890   my $num;
891
892   foreach my $unit (@$conv_units) {
893     my $last = $unit->{name} eq $part_unit->{name};
894     if (!$last) {
895       $num     = int($amount / $unit->{factor});
896       $amount -= $num * $unit->{factor};
897     }
898
899     if ($last ? $amount : $num) {
900       push @values, { "unit"   => $unit->{name},
901                       "amount" => $last ? $amount / $unit->{factor} : $num,
902                       "places" => $last ? $places : 0 };
903     }
904
905     last if $last;
906   }
907
908   if (!@values) {
909     push @values, { "unit"   => $part_unit_name,
910                     "amount" => 0,
911                     "places" => 0 };
912   }
913
914   my $result = join " ", map { $self->format_amount($myconfig, $_->{amount}, $_->{places}, undef, $max_places), $_->{unit} } @values;
915
916   $main::lxdebug->leave_sub();
917
918   return $result;
919 }
920
921 sub format_string {
922   $main::lxdebug->enter_sub(2);
923
924   my $self  = shift;
925   my $input = shift;
926
927   $input =~ s/(^|[^\#]) \#  (\d+)  /$1$_[$2 - 1]/gx;
928   $input =~ s/(^|[^\#]) \#\{(\d+)\}/$1$_[$2 - 1]/gx;
929   $input =~ s/\#\#/\#/g;
930
931   $main::lxdebug->leave_sub(2);
932
933   return $input;
934 }
935
936 #
937
938 sub parse_amount {
939   $main::lxdebug->enter_sub(2);
940
941   my ($self, $myconfig, $amount) = @_;
942
943   if (!defined($amount) || ($amount eq '')) {
944     $main::lxdebug->leave_sub(2);
945     return 0;
946   }
947
948   if ($myconfig->{numberformat} eq '1,000.00') {
949     $amount =~ s/,//g;
950   } elsif ($myconfig->{numberformat} eq '1.000,00') {
951     $amount =~ s/\.//g;
952   } elsif ($myconfig->{numberformat} eq "1'000.00") {
953     $amount =~ s/\'//g;
954   }
955
956   $amount =~ s/,/\./g;
957
958   $main::lxdebug->leave_sub(2);
959
960   # Make sure no code wich is not a math expression ends up in eval().
961   return 0 unless $amount =~ /^ [\s \d \( \) \- \+ \* \/ \. ]* $/x;
962
963   # Prevent numbers from being parsed as octals;
964   $amount =~ s{ (?<! [\d.] ) 0+ (?= [1-9] ) }{}gx;
965
966   return scalar(eval($amount)) * 1 ;
967 }
968
969 sub round_amount {
970   my ($self, $amount, $places, $adjust) = @_;
971
972   if ($adjust) {
973     my $precision = 0.01;
974     # Round amounts to eight places before rounding to the requested
975     # number of places. This gets rid of errors due to internal floating
976     # point representation.
977     $amount = int($amount * 10**8 + .5 * ($amount <=> 0)) / 10**8  if $places < 8;
978     $amount = int($amount / ($precision = _get_precision()) + ($amount <=> 0) * .5) * $precision;
979     $amount = int($amount * 10**$places + .5 * ($amount <=> 0)) / 10**$places;
980     return $amount;
981   }
982
983   return 0 if !defined $amount;
984
985   # We use Perl's knowledge of string representation for
986   # rounding. First, convert the floating point number to a string
987   # with a high number of places. Then split the string on the decimal
988   # sign and use integer calculation for rounding the decimal places
989   # part. If an overflow occurs then apply that overflow to the part
990   # before the decimal sign as well using integer arithmetic again.
991
992   my $amount_str = sprintf '%.*f', $places + 10, abs($amount);
993
994   return $amount unless $amount_str =~ m{^(\d+)\.(\d+)$};
995
996   my ($pre, $post)      = ($1, $2);
997   my $decimals          = '1' . substr($post, 0, $places);
998
999   my $propagation_limit = $Config{i32size} == 4 ? 7 : 18;
1000   my $add_for_rounding  = substr($post, $places, 1) >= 5 ? 1 : 0;
1001
1002   if ($places > $propagation_limit) {
1003     $decimals = Math::BigInt->new($decimals)->badd($add_for_rounding);
1004     $pre      = Math::BigInt->new($decimals)->badd(1) if substr($decimals, 0, 1) eq '2';
1005
1006   } else {
1007     $decimals += $add_for_rounding;
1008     $pre      += 1 if substr($decimals, 0, 1) eq '2';
1009   }
1010
1011   $amount  = ("${pre}." . substr($decimals, 1)) * ($amount <=> 0);
1012
1013   return $amount;
1014 }
1015
1016 sub parse_template {
1017   $main::lxdebug->enter_sub();
1018
1019   my ($self, $myconfig) = @_;
1020   my ($out, $out_mode);
1021
1022   local (*IN, *OUT);
1023
1024   my $defaults  = SL::DB::Default->get;
1025   my $userspath = $::lx_office_conf{paths}->{userspath};
1026
1027   $self->{"cwd"} = getcwd();
1028   $self->{"tmpdir"} = $self->{cwd} . "/${userspath}";
1029
1030   my $ext_for_format;
1031
1032   my $template_type;
1033   if ($self->{"format"} =~ /(opendocument|oasis)/i) {
1034     $template_type  = 'OpenDocument';
1035     $ext_for_format = $self->{"format"} =~ m/pdf/ ? 'pdf' : 'odt';
1036
1037   } elsif ($self->{"format"} =~ /(postscript|pdf)/i) {
1038     $template_type    = 'LaTeX';
1039     $ext_for_format   = 'pdf';
1040
1041   } elsif (($self->{"format"} =~ /html/i) || (!$self->{"format"} && ($self->{"IN"} =~ /html$/i))) {
1042     $template_type  = 'HTML';
1043     $ext_for_format = 'html';
1044
1045   } elsif (($self->{"format"} =~ /xml/i) || (!$self->{"format"} && ($self->{"IN"} =~ /xml$/i))) {
1046     $template_type  = 'XML';
1047     $ext_for_format = 'xml';
1048
1049   } elsif ( $self->{"format"} =~ /elster(?:winston|taxbird)/i ) {
1050     $template_type = 'XML';
1051
1052   } elsif ( $self->{"format"} =~ /excel/i ) {
1053     $template_type  = 'Excel';
1054     $ext_for_format = 'xls';
1055
1056   } elsif ( defined $self->{'format'}) {
1057     $self->error("Outputformat not defined. This may be a future feature: $self->{'format'}");
1058
1059   } elsif ( $self->{'format'} eq '' ) {
1060     $self->error("No Outputformat given: $self->{'format'}");
1061
1062   } else { #Catch the rest
1063     $self->error("Outputformat not defined: $self->{'format'}");
1064   }
1065
1066   my $template = SL::Template::create(type      => $template_type,
1067                                       file_name => $self->{IN},
1068                                       form      => $self,
1069                                       myconfig  => $myconfig,
1070                                       userspath => $userspath,
1071                                       %{ $self->{TEMPLATE_DRIVER_OPTIONS} || {} });
1072
1073   # Copy the notes from the invoice/sales order etc. back to the variable "notes" because that is where most templates expect it to be.
1074   $self->{"notes"} = $self->{ $self->{"formname"} . "notes" } if exists $self->{ $self->{"formname"} . "notes" };
1075
1076   if (!$self->{employee_id}) {
1077     $self->{"employee_${_}"} = $myconfig->{$_} for qw(email tel fax name signature);
1078     $self->{"employee_${_}"} = $defaults->$_   for qw(address businessnumber co_ustid company duns sepa_creditor_id taxnumber);
1079   }
1080
1081   $self->{"myconfig_${_}"} = $myconfig->{$_} for grep { $_ ne 'dbpasswd' } keys %{ $myconfig };
1082   $self->{$_}              = $defaults->$_   for qw(co_ustid);
1083   $self->{"myconfig_${_}"} = $defaults->$_   for qw(address businessnumber co_ustid company duns sepa_creditor_id taxnumber);
1084   $self->{AUTH}            = $::auth;
1085   $self->{INSTANCE_CONF}   = $::instance_conf;
1086   $self->{LOCALE}          = $::locale;
1087   $self->{LXCONFIG}        = $::lx_office_conf;
1088   $self->{LXDEBUG}         = $::lxdebug;
1089   $self->{MYCONFIG}        = \%::myconfig;
1090
1091   $self->{copies} = 1 if (($self->{copies} *= 1) <= 0);
1092
1093   # OUT is used for the media, screen, printer, email
1094   # for postscript we store a copy in a temporary file
1095   my ($temp_fh, $suffix);
1096   $suffix =  $self->{IN};
1097   $suffix =~ s/.*\.//;
1098   ($temp_fh, $self->{tmpfile}) = File::Temp::tempfile(
1099     'kivitendo-printXXXXXX',
1100     SUFFIX => '.' . ($suffix || 'tex'),
1101     DIR    => $userspath,
1102     UNLINK => ($::lx_office_conf{debug} && $::lx_office_conf{debug}->{keep_temp_files})? 0 : 1,
1103   );
1104   close $temp_fh;
1105   (undef, undef, $self->{template_meta}{tmpfile}) = File::Spec->splitpath( $self->{tmpfile} );
1106
1107   $out              = $self->{OUT};
1108   $out_mode         = $self->{OUT_MODE} || '>';
1109   $self->{OUT}      = "$self->{tmpfile}";
1110   $self->{OUT_MODE} = '>';
1111
1112   my $result;
1113   my $command_formatter = sub {
1114     my ($out_mode, $out) = @_;
1115     return $out_mode eq '|-' ? SL::Template::create(type => 'ShellCommand', form => $self)->parse($out) : $out;
1116   };
1117
1118   if ($self->{OUT}) {
1119     $self->{OUT} = $command_formatter->($self->{OUT_MODE}, $self->{OUT});
1120     open(OUT, $self->{OUT_MODE}, $self->{OUT}) or $self->error("error on opening $self->{OUT} with mode $self->{OUT_MODE} : $!");
1121   } else {
1122     *OUT = ($::dispatcher->get_standard_filehandles)[1];
1123     $self->header;
1124   }
1125
1126   if (!$template->parse(*OUT)) {
1127     $self->cleanup();
1128     $self->error("$self->{IN} : " . $template->get_error());
1129   }
1130
1131   close OUT if $self->{OUT};
1132   # check only one flag (webdav_documents)
1133   # therefore copy to webdav, even if we do not have the webdav feature enabled (just archive)
1134   my $copy_to_webdav =  $::instance_conf->get_webdav_documents && !$self->{preview} && $self->{tmpdir} && $self->{tmpfile} && $self->{type};
1135
1136   if ($self->{media} eq 'file') {
1137     copy(join('/', $self->{cwd}, $userspath, $self->{tmpfile}), $out =~ m|^/| ? $out : join('/', $self->{cwd}, $out)) if $template->uses_temp_file;
1138     Common::copy_file_to_webdav_folder($self)                                                                         if $copy_to_webdav;
1139     $self->cleanup;
1140     chdir("$self->{cwd}");
1141
1142     $::lxdebug->leave_sub();
1143
1144     return;
1145   }
1146
1147   Common::copy_file_to_webdav_folder($self) if $copy_to_webdav;
1148
1149   if ($self->{media} eq 'email') {
1150
1151     my $mail = Mailer->new;
1152
1153     map { $mail->{$_} = $self->{$_} }
1154       qw(cc bcc subject message version format);
1155     $mail->{to} = $self->{EMAIL_RECIPIENT} ? $self->{EMAIL_RECIPIENT} : $self->{email};
1156     $mail->{from}   = qq|"$myconfig->{name}" <$myconfig->{email}>|;
1157     $mail->{fileid} = time() . '.' . $$ . '.';
1158     my $full_signature     =  $self->create_email_signature();
1159     $full_signature        =~ s/\r//g;
1160
1161     # if we send html or plain text inline
1162     if (($self->{format} eq 'html') && ($self->{sendmode} eq 'inline')) {
1163       $mail->{contenttype}    =  "text/html";
1164       $mail->{message}        =~ s/\r//g;
1165       $mail->{message}        =~ s/\n/<br>\n/g;
1166       $full_signature         =~ s/\n/<br>\n/g;
1167       $mail->{message}       .=  $full_signature;
1168
1169       open(IN, "<:encoding(UTF-8)", $self->{tmpfile})
1170         or $self->error($self->cleanup . "$self->{tmpfile} : $!");
1171       $mail->{message} .= $_ while <IN>;
1172       close(IN);
1173
1174     } else {
1175
1176       if (!$self->{"do_not_attach"}) {
1177         my $attachment_name  =  $self->{attachment_filename} || $self->{tmpfile};
1178         $attachment_name     =~ s/\.(.+?)$/.${ext_for_format}/ if ($ext_for_format);
1179         $mail->{attachments} =  [{ "filename" => $self->{tmpfile},
1180                                    "name"     => $attachment_name }];
1181       }
1182
1183       $mail->{message} .= $full_signature;
1184     }
1185
1186     my $err = $mail->send();
1187     $self->error($self->cleanup . "$err") if ($err);
1188
1189   } else {
1190
1191     $self->{OUT}      = $out;
1192     $self->{OUT_MODE} = $out_mode;
1193
1194     my $numbytes = (-s $self->{tmpfile});
1195     open(IN, "<", $self->{tmpfile})
1196       or $self->error($self->cleanup . "$self->{tmpfile} : $!");
1197     binmode IN;
1198
1199     $self->{copies} = 1 unless $self->{media} eq 'printer';
1200
1201     chdir("$self->{cwd}");
1202     #print(STDERR "Kopien $self->{copies}\n");
1203     #print(STDERR "OUT $self->{OUT}\n");
1204     for my $i (1 .. $self->{copies}) {
1205       if ($self->{OUT}) {
1206         $self->{OUT} = $command_formatter->($self->{OUT_MODE}, $self->{OUT});
1207
1208         open  OUT, $self->{OUT_MODE}, $self->{OUT} or $self->error($self->cleanup . "$self->{OUT} : $!");
1209         print OUT $_ while <IN>;
1210         close OUT;
1211         seek  IN, 0, 0;
1212
1213       } else {
1214         my %headers = ('-type'       => $template->get_mime_type,
1215                        '-connection' => 'close',
1216                        '-charset'    => 'UTF-8');
1217
1218         $self->{attachment_filename} ||= $self->generate_attachment_filename;
1219
1220         if ($self->{attachment_filename}) {
1221           %headers = (
1222             %headers,
1223             '-attachment'     => $self->{attachment_filename},
1224             '-content-length' => $numbytes,
1225             '-charset'        => '',
1226           );
1227         }
1228
1229         print $::request->cgi->header(%headers);
1230
1231         $::locale->with_raw_io(\*STDOUT, sub { print while <IN> });
1232       }
1233     }
1234
1235     close(IN);
1236   }
1237
1238   $self->cleanup;
1239
1240   chdir("$self->{cwd}");
1241   $main::lxdebug->leave_sub();
1242 }
1243
1244 sub get_formname_translation {
1245   $main::lxdebug->enter_sub();
1246   my ($self, $formname) = @_;
1247
1248   $formname ||= $self->{formname};
1249
1250   $self->{recipient_locale} ||=  Locale->lang_to_locale($self->{language});
1251   local $::locale = Locale->new($self->{recipient_locale});
1252
1253   my %formname_translations = (
1254     bin_list                => $main::locale->text('Bin List'),
1255     credit_note             => $main::locale->text('Credit Note'),
1256     invoice                 => $main::locale->text('Invoice'),
1257     pick_list               => $main::locale->text('Pick List'),
1258     proforma                => $main::locale->text('Proforma Invoice'),
1259     purchase_order          => $main::locale->text('Purchase Order'),
1260     request_quotation       => $main::locale->text('RFQ'),
1261     sales_order             => $main::locale->text('Confirmation'),
1262     sales_quotation         => $main::locale->text('Quotation'),
1263     storno_invoice          => $main::locale->text('Storno Invoice'),
1264     sales_delivery_order    => $main::locale->text('Delivery Order'),
1265     purchase_delivery_order => $main::locale->text('Delivery Order'),
1266     dunning                 => $main::locale->text('Dunning'),
1267     letter                  => $main::locale->text('Letter')
1268   );
1269
1270   $main::lxdebug->leave_sub();
1271   return $formname_translations{$formname};
1272 }
1273
1274 sub get_number_prefix_for_type {
1275   $main::lxdebug->enter_sub();
1276   my ($self) = @_;
1277
1278   my $prefix =
1279       (first { $self->{type} eq $_ } qw(invoice credit_note)) ? 'inv'
1280     : ($self->{type} =~ /_quotation$/)                        ? 'quo'
1281     : ($self->{type} =~ /_delivery_order$/)                   ? 'do'
1282     : ($self->{type} =~ /letter/)                             ? 'letter'
1283     :                                                           'ord';
1284
1285   # better default like this?
1286   # : ($self->{type} =~ /(sales|purcharse)_order/           :  'ord';
1287   # :                                                           'prefix_undefined';
1288
1289   $main::lxdebug->leave_sub();
1290   return $prefix;
1291 }
1292
1293 sub get_extension_for_format {
1294   $main::lxdebug->enter_sub();
1295   my ($self)    = @_;
1296
1297   my $extension = $self->{format} =~ /pdf/i          ? ".pdf"
1298                 : $self->{format} =~ /postscript/i   ? ".ps"
1299                 : $self->{format} =~ /opendocument/i ? ".odt"
1300                 : $self->{format} =~ /excel/i        ? ".xls"
1301                 : $self->{format} =~ /html/i         ? ".html"
1302                 :                                      "";
1303
1304   $main::lxdebug->leave_sub();
1305   return $extension;
1306 }
1307
1308 sub generate_attachment_filename {
1309   $main::lxdebug->enter_sub();
1310   my ($self) = @_;
1311
1312   $self->{recipient_locale} ||=  Locale->lang_to_locale($self->{language});
1313   my $recipient_locale = Locale->new($self->{recipient_locale});
1314
1315   my $attachment_filename = $main::locale->unquote_special_chars('HTML', $self->get_formname_translation());
1316   my $prefix              = $self->get_number_prefix_for_type();
1317
1318   if ($self->{preview} && (first { $self->{type} eq $_ } qw(invoice credit_note))) {
1319     $attachment_filename .= ' (' . $recipient_locale->text('Preview') . ')' . $self->get_extension_for_format();
1320
1321   } elsif ($attachment_filename && $self->{"${prefix}number"}) {
1322     $attachment_filename .=  "_" . $self->{"${prefix}number"} . $self->get_extension_for_format();
1323
1324   } elsif ($attachment_filename) {
1325     $attachment_filename .=  $self->get_extension_for_format();
1326
1327   } else {
1328     $attachment_filename = "";
1329   }
1330
1331   $attachment_filename =  $main::locale->quote_special_chars('filenames', $attachment_filename);
1332   $attachment_filename =~ s|[\s/\\]+|_|g;
1333
1334   $main::lxdebug->leave_sub();
1335   return $attachment_filename;
1336 }
1337
1338 sub generate_email_subject {
1339   $main::lxdebug->enter_sub();
1340   my ($self) = @_;
1341
1342   my $subject = $main::locale->unquote_special_chars('HTML', $self->get_formname_translation());
1343   my $prefix  = $self->get_number_prefix_for_type();
1344
1345   if ($subject && $self->{"${prefix}number"}) {
1346     $subject .= " " . $self->{"${prefix}number"}
1347   }
1348
1349   $main::lxdebug->leave_sub();
1350   return $subject;
1351 }
1352
1353 sub cleanup {
1354   $main::lxdebug->enter_sub();
1355
1356   my ($self, $application) = @_;
1357
1358   my $error_code = $?;
1359
1360   chdir("$self->{tmpdir}");
1361
1362   my @err = ();
1363   if ((-1 == $error_code) || (127 == (($error_code) >> 8))) {
1364     push @err, $::locale->text('The application "#1" was not found on the system.', $application || 'pdflatex') . ' ' . $::locale->text('Please contact your administrator.');
1365
1366   } elsif (-f "$self->{tmpfile}.err") {
1367     open(FH, "<:encoding(UTF-8)", "$self->{tmpfile}.err");
1368     @err = <FH>;
1369     close(FH);
1370   }
1371
1372   if ($self->{tmpfile} && !($::lx_office_conf{debug} && $::lx_office_conf{debug}->{keep_temp_files})) {
1373     $self->{tmpfile} =~ s|.*/||g;
1374     # strip extension
1375     $self->{tmpfile} =~ s/\.\w+$//g;
1376     my $tmpfile = $self->{tmpfile};
1377     unlink(<$tmpfile.*>);
1378   }
1379
1380   chdir("$self->{cwd}");
1381
1382   $main::lxdebug->leave_sub();
1383
1384   return "@err";
1385 }
1386
1387 sub datetonum {
1388   $main::lxdebug->enter_sub();
1389
1390   my ($self, $date, $myconfig) = @_;
1391   my ($yy, $mm, $dd);
1392
1393   if ($date && $date =~ /\D/) {
1394
1395     if ($myconfig->{dateformat} =~ /^yy/) {
1396       ($yy, $mm, $dd) = split /\D/, $date;
1397     }
1398     if ($myconfig->{dateformat} =~ /^mm/) {
1399       ($mm, $dd, $yy) = split /\D/, $date;
1400     }
1401     if ($myconfig->{dateformat} =~ /^dd/) {
1402       ($dd, $mm, $yy) = split /\D/, $date;
1403     }
1404
1405     $dd *= 1;
1406     $mm *= 1;
1407     $yy = ($yy < 70) ? $yy + 2000 : $yy;
1408     $yy = ($yy >= 70 && $yy <= 99) ? $yy + 1900 : $yy;
1409
1410     $dd = "0$dd" if ($dd < 10);
1411     $mm = "0$mm" if ($mm < 10);
1412
1413     $date = "$yy$mm$dd";
1414   }
1415
1416   $main::lxdebug->leave_sub();
1417
1418   return $date;
1419 }
1420
1421 # Database routines used throughout
1422
1423 sub dbconnect {
1424   $main::lxdebug->enter_sub(2);
1425
1426   my ($self, $myconfig) = @_;
1427
1428   # connect to database
1429   my $dbh = SL::DBConnect->connect or $self->dberror;
1430
1431   # set db options
1432   if ($myconfig->{dboptions}) {
1433     $dbh->do($myconfig->{dboptions}) || $self->dberror($myconfig->{dboptions});
1434   }
1435
1436   $main::lxdebug->leave_sub(2);
1437
1438   return $dbh;
1439 }
1440
1441 sub dbconnect_noauto {
1442   $main::lxdebug->enter_sub();
1443
1444   my ($self, $myconfig) = @_;
1445
1446   # connect to database
1447   my $dbh = SL::DBConnect->connect(SL::DBConnect->get_connect_args(AutoCommit => 0)) or $self->dberror;
1448
1449   # set db options
1450   if ($myconfig->{dboptions}) {
1451     $dbh->do($myconfig->{dboptions}) || $self->dberror($myconfig->{dboptions});
1452   }
1453
1454   $main::lxdebug->leave_sub();
1455
1456   return $dbh;
1457 }
1458
1459 sub get_standard_dbh {
1460   $main::lxdebug->enter_sub(2);
1461
1462   my $self     = shift;
1463   my $myconfig = shift || \%::myconfig;
1464
1465   if ($standard_dbh && !$standard_dbh->{Active}) {
1466     $main::lxdebug->message(LXDebug->INFO(), "get_standard_dbh: \$standard_dbh is defined but not Active anymore");
1467     undef $standard_dbh;
1468   }
1469
1470   $standard_dbh ||= $self->dbconnect_noauto($myconfig);
1471
1472   $main::lxdebug->leave_sub(2);
1473
1474   return $standard_dbh;
1475 }
1476
1477 sub set_standard_dbh {
1478   my ($self, $dbh) = @_;
1479   my $old_dbh      = $standard_dbh;
1480   $standard_dbh    = $dbh;
1481
1482   return $old_dbh;
1483 }
1484
1485 sub date_closed {
1486   $main::lxdebug->enter_sub();
1487
1488   my ($self, $date, $myconfig) = @_;
1489   my $dbh = $self->get_standard_dbh;
1490
1491   my $query = "SELECT 1 FROM defaults WHERE ? < closedto";
1492   my $sth = prepare_execute_query($self, $dbh, $query, conv_date($date));
1493
1494   # Falls $date = '' - Fehlermeldung aus der Datenbank. Ich denke,
1495   # es ist sicher ein conv_date vorher IMMER auszuführen.
1496   # Testfälle ohne definiertes closedto:
1497   #   Leere Datumseingabe i.O.
1498   #     SELECT 1 FROM defaults WHERE '' < closedto
1499   #   normale Zahlungsbuchung Ã¼ber Rechnungsmaske i.O.
1500   #     SELECT 1 FROM defaults WHERE '10.05.2011' < closedto
1501   # Testfälle mit definiertem closedto (30.04.2011):
1502   #  Leere Datumseingabe i.O.
1503   #   SELECT 1 FROM defaults WHERE '' < closedto
1504   # normale Buchung im geschloßenem Zeitraum i.O.
1505   #   SELECT 1 FROM defaults WHERE '21.04.2011' < closedto
1506   #     Fehlermeldung: Es können keine Zahlungen für abgeschlossene Bücher gebucht werden!
1507   # normale Buchung in aktiver Buchungsperiode i.O.
1508   #   SELECT 1 FROM defaults WHERE '01.05.2011' < closedto
1509
1510   my ($closed) = $sth->fetchrow_array;
1511
1512   $main::lxdebug->leave_sub();
1513
1514   return $closed;
1515 }
1516
1517 # prevents bookings to the to far away future
1518 sub date_max_future {
1519   $main::lxdebug->enter_sub();
1520
1521   my ($self, $date, $myconfig) = @_;
1522   my $dbh = $self->get_standard_dbh;
1523
1524   my $query = "SELECT 1 FROM defaults WHERE ? - current_date > max_future_booking_interval";
1525   my $sth = prepare_execute_query($self, $dbh, $query, conv_date($date));
1526
1527   my ($max_future_booking_interval) = $sth->fetchrow_array;
1528
1529   $main::lxdebug->leave_sub();
1530
1531   return $max_future_booking_interval;
1532 }
1533
1534
1535 sub update_balance {
1536   $main::lxdebug->enter_sub();
1537
1538   my ($self, $dbh, $table, $field, $where, $value, @values) = @_;
1539
1540   # if we have a value, go do it
1541   if ($value != 0) {
1542
1543     # retrieve balance from table
1544     my $query = "SELECT $field FROM $table WHERE $where FOR UPDATE";
1545     my $sth = prepare_execute_query($self, $dbh, $query, @values);
1546     my ($balance) = $sth->fetchrow_array;
1547     $sth->finish;
1548
1549     $balance += $value;
1550
1551     # update balance
1552     $query = "UPDATE $table SET $field = $balance WHERE $where";
1553     do_query($self, $dbh, $query, @values);
1554   }
1555   $main::lxdebug->leave_sub();
1556 }
1557
1558 sub update_exchangerate {
1559   $main::lxdebug->enter_sub();
1560
1561   my ($self, $dbh, $curr, $transdate, $buy, $sell) = @_;
1562   my ($query);
1563   # some sanity check for currency
1564   if ($curr eq '') {
1565     $main::lxdebug->leave_sub();
1566     return;
1567   }
1568   $query = qq|SELECT name AS curr FROM currencies WHERE id=(SELECT currency_id FROM defaults)|;
1569
1570   my ($defaultcurrency) = selectrow_query($self, $dbh, $query);
1571
1572   if ($curr eq $defaultcurrency) {
1573     $main::lxdebug->leave_sub();
1574     return;
1575   }
1576
1577   $query = qq|SELECT e.currency_id FROM exchangerate e
1578                  WHERE e.currency_id = (SELECT cu.id FROM currencies cu WHERE cu.name=?) AND e.transdate = ?
1579                  FOR UPDATE|;
1580   my $sth = prepare_execute_query($self, $dbh, $query, $curr, $transdate);
1581
1582   if ($buy == 0) {
1583     $buy = "";
1584   }
1585   if ($sell == 0) {
1586     $sell = "";
1587   }
1588
1589   $buy = conv_i($buy, "NULL");
1590   $sell = conv_i($sell, "NULL");
1591
1592   my $set;
1593   if ($buy != 0 && $sell != 0) {
1594     $set = "buy = $buy, sell = $sell";
1595   } elsif ($buy != 0) {
1596     $set = "buy = $buy";
1597   } elsif ($sell != 0) {
1598     $set = "sell = $sell";
1599   }
1600
1601   if ($sth->fetchrow_array) {
1602     $query = qq|UPDATE exchangerate
1603                 SET $set
1604                 WHERE currency_id = (SELECT id FROM currencies WHERE name = ?)
1605                 AND transdate = ?|;
1606
1607   } else {
1608     $query = qq|INSERT INTO exchangerate (currency_id, buy, sell, transdate)
1609                 VALUES ((SELECT id FROM currencies WHERE name = ?), $buy, $sell, ?)|;
1610   }
1611   $sth->finish;
1612   do_query($self, $dbh, $query, $curr, $transdate);
1613
1614   $main::lxdebug->leave_sub();
1615 }
1616
1617 sub save_exchangerate {
1618   $main::lxdebug->enter_sub();
1619
1620   my ($self, $myconfig, $currency, $transdate, $rate, $fld) = @_;
1621
1622   my $dbh = $self->dbconnect($myconfig);
1623
1624   my ($buy, $sell);
1625
1626   $buy  = $rate if $fld eq 'buy';
1627   $sell = $rate if $fld eq 'sell';
1628
1629
1630   $self->update_exchangerate($dbh, $currency, $transdate, $buy, $sell);
1631
1632
1633   $dbh->disconnect;
1634
1635   $main::lxdebug->leave_sub();
1636 }
1637
1638 sub get_exchangerate {
1639   $main::lxdebug->enter_sub();
1640
1641   my ($self, $dbh, $curr, $transdate, $fld) = @_;
1642   my ($query);
1643
1644   unless ($transdate && $curr) {
1645     $main::lxdebug->leave_sub();
1646     return 1;
1647   }
1648
1649   $query = qq|SELECT name AS curr FROM currencies WHERE id = (SELECT currency_id FROM defaults)|;
1650
1651   my ($defaultcurrency) = selectrow_query($self, $dbh, $query);
1652
1653   if ($curr eq $defaultcurrency) {
1654     $main::lxdebug->leave_sub();
1655     return 1;
1656   }
1657
1658   $query = qq|SELECT e.$fld FROM exchangerate e
1659                  WHERE e.currency_id = (SELECT id FROM currencies WHERE name = ?) AND e.transdate = ?|;
1660   my ($exchangerate) = selectrow_query($self, $dbh, $query, $curr, $transdate);
1661
1662
1663
1664   $main::lxdebug->leave_sub();
1665
1666   return $exchangerate;
1667 }
1668
1669 sub check_exchangerate {
1670   $main::lxdebug->enter_sub();
1671
1672   my ($self, $myconfig, $currency, $transdate, $fld) = @_;
1673
1674   if ($fld !~/^buy|sell$/) {
1675     $self->error('Fatal: check_exchangerate called with invalid buy/sell argument');
1676   }
1677
1678   unless ($transdate) {
1679     $main::lxdebug->leave_sub();
1680     return "";
1681   }
1682
1683   my ($defaultcurrency) = $self->get_default_currency($myconfig);
1684
1685   if ($currency eq $defaultcurrency) {
1686     $main::lxdebug->leave_sub();
1687     return 1;
1688   }
1689
1690   my $dbh   = $self->get_standard_dbh($myconfig);
1691   my $query = qq|SELECT e.$fld FROM exchangerate e
1692                  WHERE e.currency_id = (SELECT id FROM currencies WHERE name = ?) AND e.transdate = ?|;
1693
1694   my ($exchangerate) = selectrow_query($self, $dbh, $query, $currency, $transdate);
1695
1696   $main::lxdebug->leave_sub();
1697
1698   return $exchangerate;
1699 }
1700
1701 sub get_all_currencies {
1702   $main::lxdebug->enter_sub();
1703
1704   my $self     = shift;
1705   my $myconfig = shift || \%::myconfig;
1706   my $dbh      = $self->get_standard_dbh($myconfig);
1707
1708   my $query = qq|SELECT name FROM currencies|;
1709   my @currencies = map { $_->{name} } selectall_hashref_query($self, $dbh, $query);
1710
1711   $main::lxdebug->leave_sub();
1712
1713   return @currencies;
1714 }
1715
1716 sub get_default_currency {
1717   $main::lxdebug->enter_sub();
1718
1719   my ($self, $myconfig) = @_;
1720   my $dbh      = $self->get_standard_dbh($myconfig);
1721   my $query = qq|SELECT name AS curr FROM currencies WHERE id = (SELECT currency_id FROM defaults)|;
1722
1723   my ($defaultcurrency) = selectrow_query($self, $dbh, $query);
1724
1725   $main::lxdebug->leave_sub();
1726
1727   return $defaultcurrency;
1728 }
1729
1730 sub set_payment_options {
1731   my ($self, $myconfig, $transdate) = @_;
1732
1733   my $terms = $self->{payment_id} ? SL::DB::PaymentTerm->new(id => $self->{payment_id})->load : undef;
1734   return if !$terms;
1735
1736   $transdate                  ||= $self->{invdate} || $self->{transdate};
1737   my $due_date                  = $self->{duedate} || $self->{reqdate};
1738
1739   $self->{$_}                   = $terms->$_ for qw(terms_netto terms_skonto percent_skonto);
1740   $self->{payment_terms}        = $terms->description_long;
1741   $self->{payment_description}  = $terms->description;
1742   $self->{netto_date}           = $terms->calc_date(reference_date => $transdate, due_date => $due_date, terms => 'net')->to_kivitendo;
1743   $self->{skonto_date}          = $terms->calc_date(reference_date => $transdate, due_date => $due_date, terms => 'discount')->to_kivitendo;
1744
1745   my ($invtotal, $total);
1746   my (%amounts, %formatted_amounts);
1747
1748   if ($self->{type} =~ /_order$/) {
1749     $amounts{invtotal} = $self->{ordtotal};
1750     $amounts{total}    = $self->{ordtotal};
1751
1752   } elsif ($self->{type} =~ /_quotation$/) {
1753     $amounts{invtotal} = $self->{quototal};
1754     $amounts{total}    = $self->{quototal};
1755
1756   } else {
1757     $amounts{invtotal} = $self->{invtotal};
1758     $amounts{total}    = $self->{total};
1759   }
1760   map { $amounts{$_} = $self->parse_amount($myconfig, $amounts{$_}) } keys %amounts;
1761
1762   $amounts{skonto_in_percent}  = 100.0 * $self->{percent_skonto};
1763   $amounts{skonto_amount}      = $amounts{invtotal} * $self->{percent_skonto};
1764   $amounts{invtotal_wo_skonto} = $amounts{invtotal} * (1 - $self->{percent_skonto});
1765   $amounts{total_wo_skonto}    = $amounts{total}    * (1 - $self->{percent_skonto});
1766
1767   foreach (keys %amounts) {
1768     $amounts{$_}           = $self->round_amount($amounts{$_}, 2);
1769     $formatted_amounts{$_} = $self->format_amount($myconfig, $amounts{$_}, 2);
1770   }
1771
1772   if ($self->{"language_id"}) {
1773     my $dbh   = $self->get_standard_dbh($myconfig);
1774     my $query =
1775       qq|SELECT t.translation, l.output_numberformat, l.output_dateformat, l.output_longdates | .
1776       qq|FROM generic_translations t | .
1777       qq|LEFT JOIN language l ON t.language_id = l.id | .
1778       qq|WHERE (t.language_id = ?)
1779            AND (t.translation_id = ?)
1780            AND (t.translation_type = 'SL::DB::PaymentTerm/description_long')|;
1781     my ($description_long, $output_numberformat, $output_dateformat,
1782       $output_longdates) =
1783       selectrow_query($self, $dbh, $query,
1784                       $self->{"language_id"}, $self->{"payment_id"});
1785
1786     $self->{payment_terms} = $description_long if ($description_long);
1787
1788     if ($output_dateformat) {
1789       foreach my $key (qw(netto_date skonto_date)) {
1790         $self->{$key} =
1791           $main::locale->reformat_date($myconfig, $self->{$key},
1792                                        $output_dateformat,
1793                                        $output_longdates);
1794       }
1795     }
1796
1797     if ($output_numberformat &&
1798         ($output_numberformat ne $myconfig->{"numberformat"})) {
1799       my $saved_numberformat = $myconfig->{"numberformat"};
1800       $myconfig->{"numberformat"} = $output_numberformat;
1801       map { $formatted_amounts{$_} = $self->format_amount($myconfig, $amounts{$_}) } keys %amounts;
1802       $myconfig->{"numberformat"} = $saved_numberformat;
1803     }
1804   }
1805
1806   $self->{payment_terms} =~ s/<%netto_date%>/$self->{netto_date}/g;
1807   $self->{payment_terms} =~ s/<%skonto_date%>/$self->{skonto_date}/g;
1808   $self->{payment_terms} =~ s/<%currency%>/$self->{currency}/g;
1809   $self->{payment_terms} =~ s/<%terms_netto%>/$self->{terms_netto}/g;
1810   $self->{payment_terms} =~ s/<%account_number%>/$self->{account_number}/g;
1811   $self->{payment_terms} =~ s/<%bank%>/$self->{bank}/g;
1812   $self->{payment_terms} =~ s/<%bank_code%>/$self->{bank_code}/g;
1813   $self->{payment_terms} =~ s/<\%bic\%>/$self->{bic}/g;
1814   $self->{payment_terms} =~ s/<\%iban\%>/$self->{iban}/g;
1815   $self->{payment_terms} =~ s/<\%mandate_date_of_signature\%>/$self->{mandate_date_of_signature}/g;
1816   $self->{payment_terms} =~ s/<\%mandator_id\%>/$self->{mandator_id}/g;
1817
1818   map { $self->{payment_terms} =~ s/<%${_}%>/$formatted_amounts{$_}/g; } keys %formatted_amounts;
1819
1820   $self->{skonto_in_percent} = $formatted_amounts{skonto_in_percent};
1821
1822 }
1823
1824 sub get_template_language {
1825   $main::lxdebug->enter_sub();
1826
1827   my ($self, $myconfig) = @_;
1828
1829   my $template_code = "";
1830
1831   if ($self->{language_id}) {
1832     my $dbh = $self->get_standard_dbh($myconfig);
1833     my $query = qq|SELECT template_code FROM language WHERE id = ?|;
1834     ($template_code) = selectrow_query($self, $dbh, $query, $self->{language_id});
1835   }
1836
1837   $main::lxdebug->leave_sub();
1838
1839   return $template_code;
1840 }
1841
1842 sub get_printer_code {
1843   $main::lxdebug->enter_sub();
1844
1845   my ($self, $myconfig) = @_;
1846
1847   my $template_code = "";
1848
1849   if ($self->{printer_id}) {
1850     my $dbh = $self->get_standard_dbh($myconfig);
1851     my $query = qq|SELECT template_code, printer_command FROM printers WHERE id = ?|;
1852     ($template_code, $self->{printer_command}) = selectrow_query($self, $dbh, $query, $self->{printer_id});
1853   }
1854
1855   $main::lxdebug->leave_sub();
1856
1857   return $template_code;
1858 }
1859
1860 sub get_shipto {
1861   $main::lxdebug->enter_sub();
1862
1863   my ($self, $myconfig) = @_;
1864
1865   my $template_code = "";
1866
1867   if ($self->{shipto_id}) {
1868     my $dbh = $self->get_standard_dbh($myconfig);
1869     my $query = qq|SELECT * FROM shipto WHERE shipto_id = ?|;
1870     my $ref = selectfirst_hashref_query($self, $dbh, $query, $self->{shipto_id});
1871     map({ $self->{$_} = $ref->{$_} } keys(%$ref));
1872   }
1873
1874   $main::lxdebug->leave_sub();
1875 }
1876
1877 sub add_shipto {
1878   $main::lxdebug->enter_sub();
1879
1880   my ($self, $dbh, $id, $module) = @_;
1881
1882   my $shipto;
1883   my @values;
1884
1885   foreach my $item (qw(name department_1 department_2 street zipcode city country
1886                        contact cp_gender phone fax email)) {
1887     if ($self->{"shipto$item"}) {
1888       $shipto = 1 if ($self->{$item} ne $self->{"shipto$item"});
1889     }
1890     push(@values, $self->{"shipto${item}"});
1891   }
1892
1893   if ($shipto) {
1894     if ($self->{shipto_id}) {
1895       my $query = qq|UPDATE shipto set
1896                        shiptoname = ?,
1897                        shiptodepartment_1 = ?,
1898                        shiptodepartment_2 = ?,
1899                        shiptostreet = ?,
1900                        shiptozipcode = ?,
1901                        shiptocity = ?,
1902                        shiptocountry = ?,
1903                        shiptocontact = ?,
1904                        shiptocp_gender = ?,
1905                        shiptophone = ?,
1906                        shiptofax = ?,
1907                        shiptoemail = ?
1908                      WHERE shipto_id = ?|;
1909       do_query($self, $dbh, $query, @values, $self->{shipto_id});
1910     } else {
1911       my $query = qq|SELECT * FROM shipto
1912                      WHERE shiptoname = ? AND
1913                        shiptodepartment_1 = ? AND
1914                        shiptodepartment_2 = ? AND
1915                        shiptostreet = ? AND
1916                        shiptozipcode = ? AND
1917                        shiptocity = ? AND
1918                        shiptocountry = ? AND
1919                        shiptocontact = ? AND
1920                        shiptocp_gender = ? AND
1921                        shiptophone = ? AND
1922                        shiptofax = ? AND
1923                        shiptoemail = ? AND
1924                        module = ? AND
1925                        trans_id = ?|;
1926       my $insert_check = selectfirst_hashref_query($self, $dbh, $query, @values, $module, $id);
1927       if(!$insert_check){
1928         $query =
1929           qq|INSERT INTO shipto (trans_id, shiptoname, shiptodepartment_1, shiptodepartment_2,
1930                                  shiptostreet, shiptozipcode, shiptocity, shiptocountry,
1931                                  shiptocontact, shiptocp_gender, shiptophone, shiptofax, shiptoemail, module)
1932              VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)|;
1933         do_query($self, $dbh, $query, $id, @values, $module);
1934       }
1935     }
1936   }
1937
1938   $main::lxdebug->leave_sub();
1939 }
1940
1941 sub get_employee {
1942   $main::lxdebug->enter_sub();
1943
1944   my ($self, $dbh) = @_;
1945
1946   $dbh ||= $self->get_standard_dbh(\%main::myconfig);
1947
1948   my $query = qq|SELECT id, name FROM employee WHERE login = ?|;
1949   ($self->{"employee_id"}, $self->{"employee"}) = selectrow_query($self, $dbh, $query, $self->{login});
1950   $self->{"employee_id"} *= 1;
1951
1952   $main::lxdebug->leave_sub();
1953 }
1954
1955 sub get_employee_data {
1956   $main::lxdebug->enter_sub();
1957
1958   my $self     = shift;
1959   my %params   = @_;
1960   my $defaults = SL::DB::Default->get;
1961
1962   Common::check_params(\%params, qw(prefix));
1963   Common::check_params_x(\%params, qw(id));
1964
1965   if (!$params{id}) {
1966     $main::lxdebug->leave_sub();
1967     return;
1968   }
1969
1970   my $myconfig = \%main::myconfig;
1971   my $dbh      = $params{dbh} || $self->get_standard_dbh($myconfig);
1972
1973   my ($login, $deleted)  = selectrow_query($self, $dbh, qq|SELECT login,deleted FROM employee WHERE id = ?|, conv_i($params{id}));
1974
1975   if ($login) {
1976     # login already fetched and still the same client (mandant) | same for both cases (delete|!delete)
1977     $self->{$params{prefix} . '_login'}   = $login;
1978     $self->{$params{prefix} . "_${_}"}    = $defaults->$_ for qw(address businessnumber co_ustid company duns taxnumber);
1979
1980     if (!$deleted) {
1981       # get employee data from auth.user_config
1982       my $user = User->new(login => $login);
1983       $self->{$params{prefix} . "_${_}"} = $user->{$_} for qw(email fax name signature tel);
1984     } else {
1985       # get saved employee data from employee
1986       my $employee = SL::DB::Manager::Employee->find_by(id => conv_i($params{id}));
1987       $self->{$params{prefix} . "_${_}"} = $employee->{"deleted_$_"} for qw(email fax signature tel);
1988       $self->{$params{prefix} . "_name"} = $employee->name;
1989     }
1990  }
1991   $main::lxdebug->leave_sub();
1992 }
1993
1994 sub _get_contacts {
1995   $main::lxdebug->enter_sub();
1996
1997   my ($self, $dbh, $id, $key) = @_;
1998
1999   $key = "all_contacts" unless ($key);
2000
2001   if (!$id) {
2002     $self->{$key} = [];
2003     $main::lxdebug->leave_sub();
2004     return;
2005   }
2006
2007   my $query =
2008     qq|SELECT cp_id, cp_cv_id, cp_name, cp_givenname, cp_abteilung | .
2009     qq|FROM contacts | .
2010     qq|WHERE cp_cv_id = ? | .
2011     qq|ORDER BY lower(cp_name)|;
2012
2013   $self->{$key} = selectall_hashref_query($self, $dbh, $query, $id);
2014
2015   $main::lxdebug->leave_sub();
2016 }
2017
2018 sub _get_projects {
2019   $main::lxdebug->enter_sub();
2020
2021   my ($self, $dbh, $key) = @_;
2022
2023   my ($all, $old_id, $where, @values);
2024
2025   if (ref($key) eq "HASH") {
2026     my $params = $key;
2027
2028     $key = "ALL_PROJECTS";
2029
2030     foreach my $p (keys(%{$params})) {
2031       if ($p eq "all") {
2032         $all = $params->{$p};
2033       } elsif ($p eq "old_id") {
2034         $old_id = $params->{$p};
2035       } elsif ($p eq "key") {
2036         $key = $params->{$p};
2037       }
2038     }
2039   }
2040
2041   if (!$all) {
2042     $where = "WHERE active ";
2043     if ($old_id) {
2044       if (ref($old_id) eq "ARRAY") {
2045         my @ids = grep({ $_ } @{$old_id});
2046         if (@ids) {
2047           $where .= " OR id IN (" . join(",", map({ "?" } @ids)) . ") ";
2048           push(@values, @ids);
2049         }
2050       } else {
2051         $where .= " OR (id = ?) ";
2052         push(@values, $old_id);
2053       }
2054     }
2055   }
2056
2057   my $query =
2058     qq|SELECT id, projectnumber, description, active | .
2059     qq|FROM project | .
2060     $where .
2061     qq|ORDER BY lower(projectnumber)|;
2062
2063   $self->{$key} = selectall_hashref_query($self, $dbh, $query, @values);
2064
2065   $main::lxdebug->leave_sub();
2066 }
2067
2068 sub _get_shipto {
2069   $main::lxdebug->enter_sub();
2070
2071   my ($self, $dbh, $vc_id, $key) = @_;
2072
2073   $key = "all_shipto" unless ($key);
2074
2075   if ($vc_id) {
2076     # get shipping addresses
2077     my $query = qq|SELECT * FROM shipto WHERE trans_id = ?|;
2078
2079     $self->{$key} = selectall_hashref_query($self, $dbh, $query, $vc_id);
2080
2081   } else {
2082     $self->{$key} = [];
2083   }
2084
2085   $main::lxdebug->leave_sub();
2086 }
2087
2088 sub _get_printers {
2089   $main::lxdebug->enter_sub();
2090
2091   my ($self, $dbh, $key) = @_;
2092
2093   $key = "all_printers" unless ($key);
2094
2095   my $query = qq|SELECT id, printer_description, printer_command, template_code FROM printers|;
2096
2097   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2098
2099   $main::lxdebug->leave_sub();
2100 }
2101
2102 sub _get_charts {
2103   $main::lxdebug->enter_sub();
2104
2105   my ($self, $dbh, $params) = @_;
2106   my ($key);
2107
2108   $key = $params->{key};
2109   $key = "all_charts" unless ($key);
2110
2111   my $transdate = quote_db_date($params->{transdate});
2112
2113   my $query =
2114     qq|SELECT c.id, c.accno, c.description, c.link, c.charttype, tk.taxkey_id, tk.tax_id | .
2115     qq|FROM chart c | .
2116     qq|LEFT JOIN taxkeys tk ON | .
2117     qq|(tk.id = (SELECT id FROM taxkeys | .
2118     qq|          WHERE taxkeys.chart_id = c.id AND startdate <= $transdate | .
2119     qq|          ORDER BY startdate DESC LIMIT 1)) | .
2120     qq|ORDER BY c.accno|;
2121
2122   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2123
2124   $main::lxdebug->leave_sub();
2125 }
2126
2127 sub _get_taxcharts {
2128   $main::lxdebug->enter_sub();
2129
2130   my ($self, $dbh, $params) = @_;
2131
2132   my $key = "all_taxcharts";
2133   my @where;
2134
2135   if (ref $params eq 'HASH') {
2136     $key = $params->{key} if ($params->{key});
2137     if ($params->{module} eq 'AR') {
2138       push @where, 'chart_categories ~ \'[ACILQ]\'';
2139
2140     } elsif ($params->{module} eq 'AP') {
2141       push @where, 'chart_categories ~ \'[ACELQ]\'';
2142     }
2143
2144   } elsif ($params) {
2145     $key = $params;
2146   }
2147
2148   my $where = @where ? ' WHERE ' . join(' AND ', map { "($_)" } @where) : '';
2149
2150   my $query = qq|SELECT * FROM tax $where ORDER BY taxkey, rate|;
2151
2152   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2153
2154   $main::lxdebug->leave_sub();
2155 }
2156
2157 sub _get_taxzones {
2158   $main::lxdebug->enter_sub();
2159
2160   my ($self, $dbh, $key) = @_;
2161
2162   $key = "all_taxzones" unless ($key);
2163   my $tzfilter = "";
2164   $tzfilter = "WHERE obsolete is FALSE" if $key eq 'ALL_ACTIVE_TAXZONES';
2165
2166   my $query = qq|SELECT * FROM tax_zones $tzfilter ORDER BY sortkey|;
2167
2168   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2169
2170   $main::lxdebug->leave_sub();
2171 }
2172
2173 sub _get_employees {
2174   $main::lxdebug->enter_sub();
2175
2176   my ($self, $dbh, $params) = @_;
2177
2178   my $deleted = 0;
2179
2180   my $key;
2181   if (ref $params eq 'HASH') {
2182     $key     = $params->{key};
2183     $deleted = $params->{deleted};
2184
2185   } else {
2186     $key = $params;
2187   }
2188
2189   $key     ||= "all_employees";
2190   my $filter = $deleted ? '' : 'WHERE NOT COALESCE(deleted, FALSE)';
2191   $self->{$key} = selectall_hashref_query($self, $dbh, qq|SELECT * FROM employee $filter ORDER BY lower(name)|);
2192
2193   $main::lxdebug->leave_sub();
2194 }
2195
2196 sub _get_business_types {
2197   $main::lxdebug->enter_sub();
2198
2199   my ($self, $dbh, $key) = @_;
2200
2201   my $options       = ref $key eq 'HASH' ? $key : { key => $key };
2202   $options->{key} ||= "all_business_types";
2203   my $where         = '';
2204
2205   if (exists $options->{salesman}) {
2206     $where = 'WHERE ' . ($options->{salesman} ? '' : 'NOT ') . 'COALESCE(salesman)';
2207   }
2208
2209   $self->{ $options->{key} } = selectall_hashref_query($self, $dbh, qq|SELECT * FROM business $where ORDER BY lower(description)|);
2210
2211   $main::lxdebug->leave_sub();
2212 }
2213
2214 sub _get_languages {
2215   $main::lxdebug->enter_sub();
2216
2217   my ($self, $dbh, $key) = @_;
2218
2219   $key = "all_languages" unless ($key);
2220
2221   my $query = qq|SELECT * FROM language ORDER BY id|;
2222
2223   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2224
2225   $main::lxdebug->leave_sub();
2226 }
2227
2228 sub _get_dunning_configs {
2229   $main::lxdebug->enter_sub();
2230
2231   my ($self, $dbh, $key) = @_;
2232
2233   $key = "all_dunning_configs" unless ($key);
2234
2235   my $query = qq|SELECT * FROM dunning_config ORDER BY dunning_level|;
2236
2237   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2238
2239   $main::lxdebug->leave_sub();
2240 }
2241
2242 sub _get_currencies {
2243 $main::lxdebug->enter_sub();
2244
2245   my ($self, $dbh, $key) = @_;
2246
2247   $key = "all_currencies" unless ($key);
2248
2249   $self->{$key} = [$self->get_all_currencies()];
2250
2251   $main::lxdebug->leave_sub();
2252 }
2253
2254 sub _get_payments {
2255 $main::lxdebug->enter_sub();
2256
2257   my ($self, $dbh, $key) = @_;
2258
2259   $key = "all_payments" unless ($key);
2260
2261   my $query = qq|SELECT * FROM payment_terms ORDER BY sortkey|;
2262
2263   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2264
2265   $main::lxdebug->leave_sub();
2266 }
2267
2268 sub _get_customers {
2269   $main::lxdebug->enter_sub();
2270
2271   my ($self, $dbh, $key) = @_;
2272
2273   my $options        = ref $key eq 'HASH' ? $key : { key => $key };
2274   $options->{key}  ||= "all_customers";
2275   my $limit_clause   = $options->{limit} ? "LIMIT $options->{limit}" : '';
2276
2277   my @where;
2278   push @where, qq|business_id IN (SELECT id FROM business WHERE salesman)| if  $options->{business_is_salesman};
2279   push @where, qq|NOT obsolete|                                            if !$options->{with_obsolete};
2280   my $where_str = @where ? "WHERE " . join(" AND ", map { "($_)" } @where) : '';
2281
2282   my $query = qq|SELECT * FROM customer $where_str ORDER BY name $limit_clause|;
2283   $self->{ $options->{key} } = selectall_hashref_query($self, $dbh, $query);
2284
2285   $main::lxdebug->leave_sub();
2286 }
2287
2288 sub _get_vendors {
2289   $main::lxdebug->enter_sub();
2290
2291   my ($self, $dbh, $key) = @_;
2292
2293   $key = "all_vendors" unless ($key);
2294
2295   my $query = qq|SELECT * FROM vendor WHERE NOT obsolete ORDER BY name|;
2296
2297   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2298
2299   $main::lxdebug->leave_sub();
2300 }
2301
2302 sub _get_departments {
2303   $main::lxdebug->enter_sub();
2304
2305   my ($self, $dbh, $key) = @_;
2306
2307   $key = "all_departments" unless ($key);
2308
2309   my $query = qq|SELECT * FROM department ORDER BY description|;
2310
2311   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2312
2313   $main::lxdebug->leave_sub();
2314 }
2315
2316 sub _get_warehouses {
2317   $main::lxdebug->enter_sub();
2318
2319   my ($self, $dbh, $param) = @_;
2320
2321   my ($key, $bins_key);
2322
2323   if ('' eq ref $param) {
2324     $key = $param;
2325
2326   } else {
2327     $key      = $param->{key};
2328     $bins_key = $param->{bins};
2329   }
2330
2331   my $query = qq|SELECT w.* FROM warehouse w
2332                  WHERE (NOT w.invalid) AND
2333                    ((SELECT COUNT(b.*) FROM bin b WHERE b.warehouse_id = w.id) > 0)
2334                  ORDER BY w.sortkey|;
2335
2336   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2337
2338   if ($bins_key) {
2339     $query = qq|SELECT id, description FROM bin WHERE warehouse_id = ?
2340                 ORDER BY description|;
2341     my $sth = prepare_query($self, $dbh, $query);
2342
2343     foreach my $warehouse (@{ $self->{$key} }) {
2344       do_statement($self, $sth, $query, $warehouse->{id});
2345       $warehouse->{$bins_key} = [];
2346
2347       while (my $ref = $sth->fetchrow_hashref()) {
2348         push @{ $warehouse->{$bins_key} }, $ref;
2349       }
2350     }
2351     $sth->finish();
2352   }
2353
2354   $main::lxdebug->leave_sub();
2355 }
2356
2357 sub _get_simple {
2358   $main::lxdebug->enter_sub();
2359
2360   my ($self, $dbh, $table, $key, $sortkey) = @_;
2361
2362   my $query  = qq|SELECT * FROM $table|;
2363   $query    .= qq| ORDER BY $sortkey| if ($sortkey);
2364
2365   $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2366
2367   $main::lxdebug->leave_sub();
2368 }
2369
2370 #sub _get_groups {
2371 #  $main::lxdebug->enter_sub();
2372 #
2373 #  my ($self, $dbh, $key) = @_;
2374 #
2375 #  $key ||= "all_groups";
2376 #
2377 #  my $groups = $main::auth->read_groups();
2378 #
2379 #  $self->{$key} = selectall_hashref_query($self, $dbh, $query);
2380 #
2381 #  $main::lxdebug->leave_sub();
2382 #}
2383
2384 sub get_lists {
2385   $main::lxdebug->enter_sub();
2386
2387   my $self = shift;
2388   my %params = @_;
2389
2390   my $dbh = $self->get_standard_dbh(\%main::myconfig);
2391   my ($sth, $query, $ref);
2392
2393   my ($vc, $vc_id);
2394   if ($params{contacts} || $params{shipto}) {
2395     $vc = 'customer' if $self->{"vc"} eq "customer";
2396     $vc = 'vendor'   if $self->{"vc"} eq "vendor";
2397     die "invalid use of get_lists, need 'vc'" unless $vc;
2398     $vc_id = $self->{"${vc}_id"};
2399   }
2400
2401   if ($params{"contacts"}) {
2402     $self->_get_contacts($dbh, $vc_id, $params{"contacts"});
2403   }
2404
2405   if ($params{"shipto"}) {
2406     $self->_get_shipto($dbh, $vc_id, $params{"shipto"});
2407   }
2408
2409   if ($params{"projects"} || $params{"all_projects"}) {
2410     $self->_get_projects($dbh, $params{"all_projects"} ?
2411                          $params{"all_projects"} : $params{"projects"},
2412                          $params{"all_projects"} ? 1 : 0);
2413   }
2414
2415   if ($params{"printers"}) {
2416     $self->_get_printers($dbh, $params{"printers"});
2417   }
2418
2419   if ($params{"languages"}) {
2420     $self->_get_languages($dbh, $params{"languages"});
2421   }
2422
2423   if ($params{"charts"}) {
2424     $self->_get_charts($dbh, $params{"charts"});
2425   }
2426
2427   if ($params{"taxcharts"}) {
2428     $self->_get_taxcharts($dbh, $params{"taxcharts"});
2429   }
2430
2431   if ($params{"taxzones"}) {
2432     $self->_get_taxzones($dbh, $params{"taxzones"});
2433   }
2434
2435   if ($params{"employees"}) {
2436     $self->_get_employees($dbh, $params{"employees"});
2437   }
2438
2439   if ($params{"salesmen"}) {
2440     $self->_get_employees($dbh, $params{"salesmen"});
2441   }
2442
2443   if ($params{"business_types"}) {
2444     $self->_get_business_types($dbh, $params{"business_types"});
2445   }
2446
2447   if ($params{"dunning_configs"}) {
2448     $self->_get_dunning_configs($dbh, $params{"dunning_configs"});
2449   }
2450
2451   if($params{"currencies"}) {
2452     $self->_get_currencies($dbh, $params{"currencies"});
2453   }
2454
2455   if($params{"customers"}) {
2456     $self->_get_customers($dbh, $params{"customers"});
2457   }
2458
2459   if($params{"vendors"}) {
2460     if (ref $params{"vendors"} eq 'HASH') {
2461       $self->_get_vendors($dbh, $params{"vendors"}{key}, $params{"vendors"}{limit});
2462     } else {
2463       $self->_get_vendors($dbh, $params{"vendors"});
2464     }
2465   }
2466
2467   if($params{"payments"}) {
2468     $self->_get_payments($dbh, $params{"payments"});
2469   }
2470
2471   if($params{"departments"}) {
2472     $self->_get_departments($dbh, $params{"departments"});
2473   }
2474
2475   if ($params{price_factors}) {
2476     $self->_get_simple($dbh, 'price_factors', $params{price_factors}, 'sortkey');
2477   }
2478
2479   if ($params{warehouses}) {
2480     $self->_get_warehouses($dbh, $params{warehouses});
2481   }
2482
2483 #  if ($params{groups}) {
2484 #    $self->_get_groups($dbh, $params{groups});
2485 #  }
2486
2487   if ($params{partsgroup}) {
2488     $self->get_partsgroup(\%main::myconfig, { all => 1, target => $params{partsgroup} });
2489   }
2490
2491   $main::lxdebug->leave_sub();
2492 }
2493
2494 # this sub gets the id and name from $table
2495 sub get_name {
2496   $main::lxdebug->enter_sub();
2497
2498   my ($self, $myconfig, $table) = @_;
2499
2500   # connect to database
2501   my $dbh = $self->get_standard_dbh($myconfig);
2502
2503   $table = $table eq "customer" ? "customer" : "vendor";
2504   my $arap = $self->{arap} eq "ar" ? "ar" : "ap";
2505
2506   my ($query, @values);
2507
2508   if (!$self->{openinvoices}) {
2509     my $where;
2510     if ($self->{customernumber} ne "") {
2511       $where = qq|(vc.customernumber ILIKE ?)|;
2512       push(@values, '%' . $self->{customernumber} . '%');
2513     } else {
2514       $where = qq|(vc.name ILIKE ?)|;
2515       push(@values, '%' . $self->{$table} . '%');
2516     }
2517
2518     $query =
2519       qq~SELECT vc.id, vc.name,
2520            vc.street || ' ' || vc.zipcode || ' ' || vc.city || ' ' || vc.country AS address
2521          FROM $table vc
2522          WHERE $where AND (NOT vc.obsolete)
2523          ORDER BY vc.name~;
2524   } else {
2525     $query =
2526       qq~SELECT DISTINCT vc.id, vc.name,
2527            vc.street || ' ' || vc.zipcode || ' ' || vc.city || ' ' || vc.country AS address
2528          FROM $arap a
2529          JOIN $table vc ON (a.${table}_id = vc.id)
2530          WHERE NOT (a.amount = a.paid) AND (vc.name ILIKE ?)
2531          ORDER BY vc.name~;
2532     push(@values, '%' . $self->{$table} . '%');
2533   }
2534
2535   $self->{name_list} = selectall_hashref_query($self, $dbh, $query, @values);
2536
2537   $main::lxdebug->leave_sub();
2538
2539   return scalar(@{ $self->{name_list} });
2540 }
2541
2542 # the selection sub is used in the AR, AP, IS, IR, DO and OE module
2543 #
2544 sub all_vc {
2545   $main::lxdebug->enter_sub();
2546
2547   my ($self, $myconfig, $table, $module) = @_;
2548
2549   my $ref;
2550   my $dbh = $self->get_standard_dbh;
2551
2552   $table = $table eq "customer" ? "customer" : "vendor";
2553
2554   # build selection list
2555   # Hotfix für Bug 1837 - Besser wäre es alte Buchungsbelege
2556   # OHNE Auswahlliste (reines Textfeld) zu laden. Hilft aber auch
2557   # nicht für veränderbare Belege (oe, do, ...)
2558   my $obsolete = $self->{id} ? '' : "WHERE NOT obsolete";
2559   my $query = qq|SELECT count(*) FROM $table $obsolete|;
2560   my ($count) = selectrow_query($self, $dbh, $query);
2561
2562   if ($count <= $myconfig->{vclimit}) {
2563     $query = qq|SELECT id, name, salesman_id
2564                 FROM $table $obsolete
2565                 ORDER BY name|;
2566     $self->{"all_$table"} = selectall_hashref_query($self, $dbh, $query);
2567   }
2568
2569   # get self
2570   $self->get_employee($dbh);
2571
2572   # setup sales contacts
2573   $query = qq|SELECT e.id, e.name
2574               FROM employee e
2575               WHERE (e.sales = '1') AND (NOT e.id = ?)
2576               ORDER BY name|;
2577   $self->{all_employees} = selectall_hashref_query($self, $dbh, $query, $self->{employee_id});
2578
2579   # this is for self
2580   push(@{ $self->{all_employees} },
2581        { id   => $self->{employee_id},
2582          name => $self->{employee} });
2583
2584     # prepare query for departments
2585     $query = qq|SELECT id, description
2586                 FROM department
2587                 ORDER BY description|;
2588
2589   $self->{all_departments} = selectall_hashref_query($self, $dbh, $query);
2590
2591   # get languages
2592   $query = qq|SELECT id, description
2593               FROM language
2594               ORDER BY id|;
2595
2596   $self->{languages} = selectall_hashref_query($self, $dbh, $query);
2597
2598   # get printer
2599   $query = qq|SELECT printer_description, id
2600               FROM printers
2601               ORDER BY printer_description|;
2602
2603   $self->{printers} = selectall_hashref_query($self, $dbh, $query);
2604
2605   # get payment terms
2606   $query = qq|SELECT id, description
2607               FROM payment_terms
2608               ORDER BY sortkey|;
2609
2610   $self->{payment_terms} = selectall_hashref_query($self, $dbh, $query);
2611
2612   $main::lxdebug->leave_sub();
2613 }
2614
2615 sub mtime_ischanged {
2616   my ($self, $table, $option) = @_;
2617
2618   return                                       unless $self->{id};
2619   croak ("wrong call, no valid table defined") unless $table =~ /^(oe|ar|ap|delivery_orders|parts)$/;
2620
2621   my $query       = "SELECT mtime, itime FROM " . $table . " WHERE id = ?";
2622   my $ref         = selectfirst_hashref_query($self, $self->get_standard_dbh, $query, $self->{id});
2623   $ref->{mtime} ||= $ref->{itime};
2624
2625   if ($self->{lastmtime} && $self->{lastmtime} ne $ref->{mtime} ) {
2626       my $etxt = ($option eq 'mail') ? "The document has been changed by another user. Please reopen it in another window and copy the changes to the new window" :
2627                                        "The document has been changed by another user. No mail was sent. Please reopen it in another window and copy the changes to the new window";
2628       $self->error($main::locale->text($etxt));
2629     ::end_of_request();
2630   }
2631 }
2632
2633 sub language_payment {
2634   $main::lxdebug->enter_sub();
2635
2636   my ($self, $myconfig) = @_;
2637
2638   my $dbh = $self->get_standard_dbh($myconfig);
2639   # get languages
2640   my $query = qq|SELECT id, description
2641                  FROM language
2642                  ORDER BY id|;
2643
2644   $self->{languages} = selectall_hashref_query($self, $dbh, $query);
2645
2646   # get printer
2647   $query = qq|SELECT printer_description, id
2648               FROM printers
2649               ORDER BY printer_description|;
2650
2651   $self->{printers} = selectall_hashref_query($self, $dbh, $query);
2652
2653   # get payment terms
2654   $query = qq|SELECT id, description
2655               FROM payment_terms
2656               ORDER BY sortkey|;
2657
2658   $self->{payment_terms} = selectall_hashref_query($self, $dbh, $query);
2659
2660   # get buchungsgruppen
2661   $query = qq|SELECT id, description
2662               FROM buchungsgruppen|;
2663
2664   $self->{BUCHUNGSGRUPPEN} = selectall_hashref_query($self, $dbh, $query);
2665
2666   $main::lxdebug->leave_sub();
2667 }
2668
2669 # this is only used for reports
2670 sub all_departments {
2671   $main::lxdebug->enter_sub();
2672
2673   my ($self, $myconfig, $table) = @_;
2674
2675   my $dbh = $self->get_standard_dbh($myconfig);
2676
2677   my $query = qq|SELECT id, description
2678                  FROM department
2679                  ORDER BY description|;
2680   $self->{all_departments} = selectall_hashref_query($self, $dbh, $query);
2681
2682   delete($self->{all_departments}) unless (@{ $self->{all_departments} || [] });
2683
2684   $main::lxdebug->leave_sub();
2685 }
2686
2687 sub create_links {
2688   $main::lxdebug->enter_sub();
2689
2690   my ($self, $module, $myconfig, $table, $provided_dbh) = @_;
2691
2692   my ($fld, $arap);
2693   if ($table eq "customer") {
2694     $fld = "buy";
2695     $arap = "ar";
2696   } else {
2697     $table = "vendor";
2698     $fld = "sell";
2699     $arap = "ap";
2700   }
2701
2702   $self->all_vc($myconfig, $table, $module);
2703
2704   # get last customers or vendors
2705   my ($query, $sth, $ref);
2706
2707   my $dbh = $provided_dbh ? $provided_dbh : $self->get_standard_dbh($myconfig);
2708   my %xkeyref = ();
2709
2710   if (!$self->{id}) {
2711
2712     my $transdate = "current_date";
2713     if ($self->{transdate}) {
2714       $transdate = $dbh->quote($self->{transdate});
2715     }
2716
2717     # now get the account numbers
2718 #    $query = qq|SELECT c.accno, c.description, c.link, c.taxkey_id, tk.tax_id
2719 #                FROM chart c, taxkeys tk
2720 #                WHERE (c.link LIKE ?) AND (c.id = tk.chart_id) AND tk.id =
2721 #                  (SELECT id FROM taxkeys WHERE (taxkeys.chart_id = c.id) AND (startdate <= $transdate) ORDER BY startdate DESC LIMIT 1)
2722 #                ORDER BY c.accno|;
2723
2724 #  same query as above, but without expensive subquery for each row. about 80% faster
2725     $query = qq|
2726       SELECT c.accno, c.description, c.link, c.taxkey_id, tk2.tax_id
2727         FROM chart c
2728         -- find newest entries in taxkeys
2729         INNER JOIN (
2730           SELECT chart_id, MAX(startdate) AS startdate
2731           FROM taxkeys
2732           WHERE (startdate <= $transdate)
2733           GROUP BY chart_id
2734         ) tk ON (c.id = tk.chart_id)
2735         -- and load all of those entries
2736         INNER JOIN taxkeys tk2
2737            ON (tk.chart_id = tk2.chart_id AND tk.startdate = tk2.startdate)
2738        WHERE (c.link LIKE ?)
2739       ORDER BY c.accno|;
2740
2741     $sth = $dbh->prepare($query);
2742
2743     do_statement($self, $sth, $query, '%' . $module . '%');
2744
2745     $self->{accounts} = "";
2746     while ($ref = $sth->fetchrow_hashref("NAME_lc")) {
2747
2748       foreach my $key (split(/:/, $ref->{link})) {
2749         if ($key =~ /\Q$module\E/) {
2750
2751           # cross reference for keys
2752           $xkeyref{ $ref->{accno} } = $key;
2753
2754           push @{ $self->{"${module}_links"}{$key} },
2755             { accno       => $ref->{accno},
2756               description => $ref->{description},
2757               taxkey      => $ref->{taxkey_id},
2758               tax_id      => $ref->{tax_id} };
2759
2760           $self->{accounts} .= "$ref->{accno} " unless $key =~ /tax/;
2761         }
2762       }
2763     }
2764   }
2765
2766   # get taxkeys and description
2767   $query = qq|SELECT id, taxkey, taxdescription FROM tax|;
2768   $self->{TAXKEY} = selectall_hashref_query($self, $dbh, $query);
2769
2770   if (($module eq "AP") || ($module eq "AR")) {
2771     # get tax rates and description
2772     $query = qq|SELECT * FROM tax|;
2773     $self->{TAX} = selectall_hashref_query($self, $dbh, $query);
2774   }
2775
2776   my $extra_columns = '';
2777   $extra_columns   .= 'a.direct_debit, ' if ($module eq 'AR') || ($module eq 'AP');
2778
2779   if ($self->{id}) {
2780     $query =
2781       qq|SELECT
2782            a.cp_id, a.invnumber, a.transdate, a.${table}_id, a.datepaid,
2783            a.duedate, a.ordnumber, a.taxincluded, (SELECT cu.name FROM currencies cu WHERE cu.id=a.currency_id) AS currency, a.notes,
2784            a.mtime, a.itime,
2785            a.intnotes, a.department_id, a.amount AS oldinvtotal,
2786            a.paid AS oldtotalpaid, a.employee_id, a.gldate, a.type,
2787            a.globalproject_id, ${extra_columns}
2788            c.name AS $table,
2789            d.description AS department,
2790            e.name AS employee
2791          FROM $arap a
2792          JOIN $table c ON (a.${table}_id = c.id)
2793          LEFT JOIN employee e ON (e.id = a.employee_id)
2794          LEFT JOIN department d ON (d.id = a.department_id)
2795          WHERE a.id = ?|;
2796     $ref = selectfirst_hashref_query($self, $dbh, $query, $self->{id});
2797
2798     foreach my $key (keys %$ref) {
2799       $self->{$key} = $ref->{$key};
2800     }
2801     $self->{mtime}   ||= $self->{itime};
2802     $self->{lastmtime} = $self->{mtime};
2803     my $transdate = "current_date";
2804     if ($self->{transdate}) {
2805       $transdate = $dbh->quote($self->{transdate});
2806     }
2807
2808     # now get the account numbers
2809     $query = qq|SELECT c.accno, c.description, c.link, c.taxkey_id, tk.tax_id
2810                 FROM chart c
2811                 LEFT JOIN taxkeys tk ON (tk.chart_id = c.id)
2812                 WHERE c.link LIKE ?
2813                   AND (tk.id = (SELECT id FROM taxkeys WHERE taxkeys.chart_id = c.id AND startdate <= $transdate ORDER BY startdate DESC LIMIT 1)
2814                     OR c.link LIKE '%_tax%' OR c.taxkey_id IS NULL)
2815                 ORDER BY c.accno|;
2816
2817     $sth = $dbh->prepare($query);
2818     do_statement($self, $sth, $query, "%$module%");
2819
2820     $self->{accounts} = "";
2821     while ($ref = $sth->fetchrow_hashref("NAME_lc")) {
2822
2823       foreach my $key (split(/:/, $ref->{link})) {
2824         if ($key =~ /\Q$module\E/) {
2825
2826           # cross reference for keys
2827           $xkeyref{ $ref->{accno} } = $key;
2828
2829           push @{ $self->{"${module}_links"}{$key} },
2830             { accno       => $ref->{accno},
2831               description => $ref->{description},
2832               taxkey      => $ref->{taxkey_id},
2833               tax_id      => $ref->{tax_id} };
2834
2835           $self->{accounts} .= "$ref->{accno} " unless $key =~ /tax/;
2836         }
2837       }
2838     }
2839
2840
2841     # get amounts from individual entries
2842     $query =
2843       qq|SELECT
2844            c.accno, c.description,
2845            a.acc_trans_id, a.source, a.amount, a.memo, a.transdate, a.gldate, a.cleared, a.project_id, a.taxkey,
2846            p.projectnumber,
2847            t.rate, t.id
2848          FROM acc_trans a
2849          LEFT JOIN chart c ON (c.id = a.chart_id)
2850          LEFT JOIN project p ON (p.id = a.project_id)
2851          LEFT JOIN tax t ON (t.id= a.tax_id)
2852          WHERE a.trans_id = ?
2853          AND a.fx_transaction = '0'
2854          ORDER BY a.acc_trans_id, a.transdate|;
2855     $sth = $dbh->prepare($query);
2856     do_statement($self, $sth, $query, $self->{id});
2857
2858     # get exchangerate for currency
2859     $self->{exchangerate} =
2860       $self->get_exchangerate($dbh, $self->{currency}, $self->{transdate}, $fld);
2861     my $index = 0;
2862
2863     # store amounts in {acc_trans}{$key} for multiple accounts
2864     while (my $ref = $sth->fetchrow_hashref("NAME_lc")) {
2865       $ref->{exchangerate} =
2866         $self->get_exchangerate($dbh, $self->{currency}, $ref->{transdate}, $fld);
2867       if (!($xkeyref{ $ref->{accno} } =~ /tax/)) {
2868         $index++;
2869       }
2870       if (($xkeyref{ $ref->{accno} } =~ /paid/) && ($self->{type} eq "credit_note")) {
2871         $ref->{amount} *= -1;
2872       }
2873       $ref->{index} = $index;
2874
2875       push @{ $self->{acc_trans}{ $xkeyref{ $ref->{accno} } } }, $ref;
2876     }
2877
2878     $sth->finish;
2879     #check das:
2880     $query =
2881       qq|SELECT
2882            d.closedto, d.revtrans,
2883            (SELECT cu.name FROM currencies cu WHERE cu.id=d.currency_id) AS defaultcurrency,
2884            (SELECT c.accno FROM chart c WHERE d.fxgain_accno_id = c.id) AS fxgain_accno,
2885            (SELECT c.accno FROM chart c WHERE d.fxloss_accno_id = c.id) AS fxloss_accno
2886          FROM defaults d|;
2887     $ref = selectfirst_hashref_query($self, $dbh, $query);
2888     map { $self->{$_} = $ref->{$_} } keys %$ref;
2889
2890   } else {
2891
2892     # get date
2893     $query =
2894        qq|SELECT
2895             current_date AS transdate, d.closedto, d.revtrans,
2896             (SELECT cu.name FROM currencies cu WHERE cu.id=d.currency_id) AS defaultcurrency,
2897             (SELECT c.accno FROM chart c WHERE d.fxgain_accno_id = c.id) AS fxgain_accno,
2898             (SELECT c.accno FROM chart c WHERE d.fxloss_accno_id = c.id) AS fxloss_accno
2899           FROM defaults d|;
2900     $ref = selectfirst_hashref_query($self, $dbh, $query);
2901     map { $self->{$_} = $ref->{$_} } keys %$ref;
2902
2903     if ($self->{"$self->{vc}_id"}) {
2904
2905       # only setup currency
2906       ($self->{currency}) = $self->{defaultcurrency} if !$self->{currency};
2907
2908     } else {
2909
2910       $self->lastname_used($dbh, $myconfig, $table, $module);
2911
2912       # get exchangerate for currency
2913       $self->{exchangerate} =
2914         $self->get_exchangerate($dbh, $self->{currency}, $self->{transdate}, $fld);
2915
2916     }
2917
2918   }
2919
2920   $main::lxdebug->leave_sub();
2921 }
2922
2923 sub lastname_used {
2924   $main::lxdebug->enter_sub();
2925
2926   my ($self, $dbh, $myconfig, $table, $module) = @_;
2927
2928   my ($arap, $where);
2929
2930   $table         = $table eq "customer" ? "customer" : "vendor";
2931   my %column_map = ("a.${table}_id"           => "${table}_id",
2932                     "a.department_id"         => "department_id",
2933                     "d.description"           => "department",
2934                     "ct.name"                 => $table,
2935                     "cu.name"                 => "currency",
2936     );
2937
2938   if ($self->{type} =~ /delivery_order/) {
2939     $arap  = 'delivery_orders';
2940     delete $column_map{"cu.currency"};
2941
2942   } elsif ($self->{type} =~ /_order/) {
2943     $arap  = 'oe';
2944     $where = "quotation = '0'";
2945
2946   } elsif ($self->{type} =~ /_quotation/) {
2947     $arap  = 'oe';
2948     $where = "quotation = '1'";
2949
2950   } elsif ($table eq 'customer') {
2951     $arap  = 'ar';
2952
2953   } else {
2954     $arap  = 'ap';
2955
2956   }
2957
2958   $where           = "($where) AND" if ($where);
2959   my $query        = qq|SELECT MAX(id) FROM $arap
2960                         WHERE $where ${table}_id > 0|;
2961   my ($trans_id)   = selectrow_query($self, $dbh, $query);
2962   $trans_id       *= 1;
2963
2964   my $column_spec  = join(', ', map { "${_} AS $column_map{$_}" } keys %column_map);
2965   $query           = qq|SELECT $column_spec
2966                         FROM $arap a
2967                         LEFT JOIN $table     ct ON (a.${table}_id = ct.id)
2968                         LEFT JOIN department d  ON (a.department_id = d.id)
2969                         LEFT JOIN currencies cu ON (cu.id=ct.currency_id)
2970                         WHERE a.id = ?|;
2971   my $ref          = selectfirst_hashref_query($self, $dbh, $query, $trans_id);
2972
2973   map { $self->{$_} = $ref->{$_} } values %column_map;
2974
2975   $main::lxdebug->leave_sub();
2976 }
2977
2978 sub current_date {
2979   $main::lxdebug->enter_sub();
2980
2981   my $self     = shift;
2982   my $myconfig = shift || \%::myconfig;
2983   my ($thisdate, $days) = @_;
2984
2985   my $dbh = $self->get_standard_dbh($myconfig);
2986   my $query;
2987
2988   $days *= 1;
2989   if ($thisdate) {
2990     my $dateformat = $myconfig->{dateformat};
2991     $dateformat .= "yy" if $myconfig->{dateformat} !~ /^y/;
2992     $thisdate = $dbh->quote($thisdate);
2993     $query = qq|SELECT to_date($thisdate, '$dateformat') + $days AS thisdate|;
2994   } else {
2995     $query = qq|SELECT current_date AS thisdate|;
2996   }
2997
2998   ($thisdate) = selectrow_query($self, $dbh, $query);
2999
3000   $main::lxdebug->leave_sub();
3001
3002   return $thisdate;
3003 }
3004
3005 sub like {
3006   $main::lxdebug->enter_sub();
3007
3008   my ($self, $string) = @_;
3009
3010   if ($string !~ /%/) {
3011     $string = "%$string%";
3012   }
3013
3014   $string =~ s/\'/\'\'/g;
3015
3016   $main::lxdebug->leave_sub();
3017
3018   return $string;
3019 }
3020
3021 sub redo_rows {
3022   $main::lxdebug->enter_sub();
3023
3024   my ($self, $flds, $new, $count, $numrows) = @_;
3025
3026   my @ndx = ();
3027
3028   map { push @ndx, { num => $new->[$_ - 1]->{runningnumber}, ndx => $_ } } 1 .. $count;
3029
3030   my $i = 0;
3031
3032   # fill rows
3033   foreach my $item (sort { $a->{num} <=> $b->{num} } @ndx) {
3034     $i++;
3035     my $j = $item->{ndx} - 1;
3036     map { $self->{"${_}_$i"} = $new->[$j]->{$_} } @{$flds};
3037   }
3038
3039   # delete empty rows
3040   for $i ($count + 1 .. $numrows) {
3041     map { delete $self->{"${_}_$i"} } @{$flds};
3042   }
3043
3044   $main::lxdebug->leave_sub();
3045 }
3046
3047 sub update_status {
3048   $main::lxdebug->enter_sub();
3049
3050   my ($self, $myconfig) = @_;
3051
3052   my ($i, $id);
3053
3054   my $dbh = $self->dbconnect_noauto($myconfig);
3055
3056   my $query = qq|DELETE FROM status
3057                  WHERE (formname = ?) AND (trans_id = ?)|;
3058   my $sth = prepare_query($self, $dbh, $query);
3059
3060   if ($self->{formname} =~ /(check|receipt)/) {
3061     for $i (1 .. $self->{rowcount}) {
3062       do_statement($self, $sth, $query, $self->{formname}, $self->{"id_$i"} * 1);
3063     }
3064   } else {
3065     do_statement($self, $sth, $query, $self->{formname}, $self->{id});
3066   }
3067   $sth->finish();
3068
3069   my $printed = ($self->{printed} =~ /\Q$self->{formname}\E/) ? "1" : "0";
3070   my $emailed = ($self->{emailed} =~ /\Q$self->{formname}\E/) ? "1" : "0";
3071
3072   my %queued = split / /, $self->{queued};
3073   my @values;
3074
3075   if ($self->{formname} =~ /(check|receipt)/) {
3076
3077     # this is a check or receipt, add one entry for each lineitem
3078     my ($accno) = split /--/, $self->{account};
3079     $query = qq|INSERT INTO status (trans_id, printed, spoolfile, formname, chart_id)
3080                 VALUES (?, ?, ?, ?, (SELECT c.id FROM chart c WHERE c.accno = ?))|;
3081     @values = ($printed, $queued{$self->{formname}}, $self->{prinform}, $accno);
3082     $sth = prepare_query($self, $dbh, $query);
3083
3084     for $i (1 .. $self->{rowcount}) {
3085       if ($self->{"checked_$i"}) {
3086         do_statement($self, $sth, $query, $self->{"id_$i"}, @values);
3087       }
3088     }
3089     $sth->finish();
3090
3091   } else {
3092     $query = qq|INSERT INTO status (trans_id, printed, emailed, spoolfile, formname)
3093                 VALUES (?, ?, ?, ?, ?)|;
3094     do_query($self, $dbh, $query, $self->{id}, $printed, $emailed,
3095              $queued{$self->{formname}}, $self->{formname});
3096   }
3097
3098   $dbh->commit;
3099   $dbh->disconnect;
3100
3101   $main::lxdebug->leave_sub();
3102 }
3103
3104 sub save_status {
3105   $main::lxdebug->enter_sub();
3106
3107   my ($self, $dbh) = @_;
3108
3109   my ($query, $printed, $emailed);
3110
3111   my $formnames  = $self->{printed};
3112   my $emailforms = $self->{emailed};
3113
3114   $query = qq|DELETE FROM status
3115                  WHERE (formname = ?) AND (trans_id = ?)|;
3116   do_query($self, $dbh, $query, $self->{formname}, $self->{id});
3117
3118   # this only applies to the forms
3119   # checks and receipts are posted when printed or queued
3120
3121   if ($self->{queued}) {
3122     my %queued = split / /, $self->{queued};
3123
3124     foreach my $formname (keys %queued) {
3125       $printed = ($self->{printed} =~ /\Q$self->{formname}\E/) ? "1" : "0";
3126       $emailed = ($self->{emailed} =~ /\Q$self->{formname}\E/) ? "1" : "0";
3127
3128       $query = qq|INSERT INTO status (trans_id, printed, emailed, spoolfile, formname)
3129                   VALUES (?, ?, ?, ?, ?)|;
3130       do_query($self, $dbh, $query, $self->{id}, $printed, $emailed, $queued{$formname}, $formname);
3131
3132       $formnames  =~ s/\Q$self->{formname}\E//;
3133       $emailforms =~ s/\Q$self->{formname}\E//;
3134
3135     }
3136   }
3137
3138   # save printed, emailed info
3139   $formnames  =~ s/^ +//g;
3140   $emailforms =~ s/^ +//g;
3141
3142   my %status = ();
3143   map { $status{$_}{printed} = 1 } split / +/, $formnames;
3144   map { $status{$_}{emailed} = 1 } split / +/, $emailforms;
3145
3146   foreach my $formname (keys %status) {
3147     $printed = ($formnames  =~ /\Q$self->{formname}\E/) ? "1" : "0";
3148     $emailed = ($emailforms =~ /\Q$self->{formname}\E/) ? "1" : "0";
3149
3150     $query = qq|INSERT INTO status (trans_id, printed, emailed, formname)
3151                 VALUES (?, ?, ?, ?)|;
3152     do_query($self, $dbh, $query, $self->{id}, $printed, $emailed, $formname);
3153   }
3154
3155   $main::lxdebug->leave_sub();
3156 }
3157
3158 #--- 4 locale ---#
3159 # $main::locale->text('SAVED')
3160 # $main::locale->text('DELETED')
3161 # $main::locale->text('ADDED')
3162 # $main::locale->text('PAYMENT POSTED')
3163 # $main::locale->text('POSTED')
3164 # $main::locale->text('POSTED AS NEW')
3165 # $main::locale->text('ELSE')
3166 # $main::locale->text('SAVED FOR DUNNING')
3167 # $main::locale->text('DUNNING STARTED')
3168 # $main::locale->text('PRINTED')
3169 # $main::locale->text('MAILED')
3170 # $main::locale->text('SCREENED')
3171 # $main::locale->text('CANCELED')
3172 # $main::locale->text('invoice')
3173 # $main::locale->text('proforma')
3174 # $main::locale->text('sales_order')
3175 # $main::locale->text('pick_list')
3176 # $main::locale->text('purchase_order')
3177 # $main::locale->text('bin_list')
3178 # $main::locale->text('sales_quotation')
3179 # $main::locale->text('request_quotation')
3180
3181 sub save_history {
3182   $main::lxdebug->enter_sub();
3183
3184   my $self = shift;
3185   my $dbh  = shift || $self->get_standard_dbh;
3186
3187   if(!exists $self->{employee_id}) {
3188     &get_employee($self, $dbh);
3189   }
3190
3191   my $query =
3192    qq|INSERT INTO history_erp (trans_id, employee_id, addition, what_done, snumbers) | .
3193    qq|VALUES (?, (SELECT id FROM employee WHERE login = ?), ?, ?, ?)|;
3194   my @values = (conv_i($self->{id}), $self->{login},
3195                 $self->{addition}, $self->{what_done}, "$self->{snumbers}");
3196   do_query($self, $dbh, $query, @values);
3197
3198   $dbh->commit;
3199
3200   $main::lxdebug->leave_sub();
3201 }
3202
3203 sub get_history {
3204   $main::lxdebug->enter_sub();
3205
3206   my ($self, $dbh, $trans_id, $restriction, $order) = @_;
3207   my ($orderBy, $desc) = split(/\-\-/, $order);
3208   $order = " ORDER BY " . ($order eq "" ? " h.itime " : ($desc == 1 ? $orderBy . " DESC " : $orderBy . " "));
3209   my @tempArray;
3210   my $i = 0;
3211   if ($trans_id ne "") {
3212     my $query =
3213       qq|SELECT h.employee_id, h.itime::timestamp(0) AS itime, h.addition, h.what_done, emp.name, h.snumbers, h.trans_id AS id | .
3214       qq|FROM history_erp h | .
3215       qq|LEFT JOIN employee emp ON (emp.id = h.employee_id) | .
3216       qq|WHERE (trans_id = | . $trans_id . qq|) $restriction | .
3217       $order;
3218
3219     my $sth = $dbh->prepare($query) || $self->dberror($query);
3220
3221     $sth->execute() || $self->dberror("$query");
3222
3223     while(my $hash_ref = $sth->fetchrow_hashref()) {
3224       $hash_ref->{addition} = $main::locale->text($hash_ref->{addition});
3225       $hash_ref->{what_done} = $main::locale->text($hash_ref->{what_done});
3226       $hash_ref->{snumbers} =~ s/^.+_(.*)$/$1/g;
3227       $tempArray[$i++] = $hash_ref;
3228     }
3229     $main::lxdebug->leave_sub() and return \@tempArray
3230       if ($i > 0 && $tempArray[0] ne "");
3231   }
3232   $main::lxdebug->leave_sub();
3233   return 0;
3234 }
3235
3236 sub get_partsgroup {
3237   $main::lxdebug->enter_sub();
3238
3239   my ($self, $myconfig, $p) = @_;
3240   my $target = $p->{target} || 'all_partsgroup';
3241
3242   my $dbh = $self->get_standard_dbh($myconfig);
3243
3244   my $query = qq|SELECT DISTINCT pg.id, pg.partsgroup
3245                  FROM partsgroup pg
3246                  JOIN parts p ON (p.partsgroup_id = pg.id) |;
3247   my @values;
3248
3249   if ($p->{searchitems} eq 'part') {
3250     $query .= qq|WHERE p.inventory_accno_id > 0|;
3251   }
3252   if ($p->{searchitems} eq 'service') {
3253     $query .= qq|WHERE p.inventory_accno_id IS NULL|;
3254   }
3255   if ($p->{searchitems} eq 'assembly') {
3256     $query .= qq|WHERE p.assembly = '1'|;
3257   }
3258   if ($p->{searchitems} eq 'labor') {
3259     $query .= qq|WHERE (p.inventory_accno_id > 0) AND (p.income_accno_id IS NULL)|;
3260   }
3261
3262   $query .= qq|ORDER BY partsgroup|;
3263
3264   if ($p->{all}) {
3265     $query = qq|SELECT id, partsgroup FROM partsgroup
3266                 ORDER BY partsgroup|;
3267   }
3268
3269   if ($p->{language_code}) {
3270     $query = qq|SELECT DISTINCT pg.id, pg.partsgroup,
3271                   t.description AS translation
3272                 FROM partsgroup pg
3273                 JOIN parts p ON (p.partsgroup_id = pg.id)
3274                 LEFT JOIN translation t ON ((t.trans_id = pg.id) AND (t.language_code = ?))
3275                 ORDER BY translation|;
3276     @values = ($p->{language_code});
3277   }
3278
3279   $self->{$target} = selectall_hashref_query($self, $dbh, $query, @values);
3280
3281   $main::lxdebug->leave_sub();
3282 }
3283
3284 sub get_pricegroup {
3285   $main::lxdebug->enter_sub();
3286
3287   my ($self, $myconfig, $p) = @_;
3288
3289   my $dbh = $self->get_standard_dbh($myconfig);
3290
3291   my $query = qq|SELECT p.id, p.pricegroup
3292                  FROM pricegroup p|;
3293
3294   $query .= qq| ORDER BY pricegroup|;
3295
3296   if ($p->{all}) {
3297     $query = qq|SELECT id, pricegroup FROM pricegroup
3298                 ORDER BY pricegroup|;
3299   }
3300
3301   $self->{all_pricegroup} = selectall_hashref_query($self, $dbh, $query);
3302
3303   $main::lxdebug->leave_sub();
3304 }
3305
3306 sub all_years {
3307 # usage $form->all_years($myconfig, [$dbh])
3308 # return list of all years where bookings found
3309 # (@all_years)
3310
3311   $main::lxdebug->enter_sub();
3312
3313   my ($self, $myconfig, $dbh) = @_;
3314
3315   $dbh ||= $self->get_standard_dbh($myconfig);
3316
3317   # get years
3318   my $query = qq|SELECT (SELECT MIN(transdate) FROM acc_trans),
3319                    (SELECT MAX(transdate) FROM acc_trans)|;
3320   my ($startdate, $enddate) = selectrow_query($self, $dbh, $query);
3321
3322   if ($myconfig->{dateformat} =~ /^yy/) {
3323     ($startdate) = split /\W/, $startdate;
3324     ($enddate) = split /\W/, $enddate;
3325   } else {
3326     (@_) = split /\W/, $startdate;
3327     $startdate = $_[2];
3328     (@_) = split /\W/, $enddate;
3329     $enddate = $_[2];
3330   }
3331
3332   my @all_years;
3333   $startdate = substr($startdate,0,4);
3334   $enddate = substr($enddate,0,4);
3335
3336   while ($enddate >= $startdate) {
3337     push @all_years, $enddate--;
3338   }
3339
3340   return @all_years;
3341
3342   $main::lxdebug->leave_sub();
3343 }
3344
3345 sub backup_vars {
3346   $main::lxdebug->enter_sub();
3347   my $self = shift;
3348   my @vars = @_;
3349
3350   map { $self->{_VAR_BACKUP}->{$_} = $self->{$_} if exists $self->{$_} } @vars;
3351
3352   $main::lxdebug->leave_sub();
3353 }
3354
3355 sub restore_vars {
3356   $main::lxdebug->enter_sub();
3357
3358   my $self = shift;
3359   my @vars = @_;
3360
3361   map { $self->{$_} = $self->{_VAR_BACKUP}->{$_} if exists $self->{_VAR_BACKUP}->{$_} } @vars;
3362
3363   $main::lxdebug->leave_sub();
3364 }
3365
3366 sub prepare_for_printing {
3367   my ($self) = @_;
3368
3369   my $defaults         = SL::DB::Default->get;
3370
3371   $self->{templates} ||= $defaults->templates;
3372   $self->{formname}  ||= $self->{type};
3373   $self->{media}     ||= 'email';
3374
3375   die "'media' other than 'email', 'file', 'printer' is not supported yet" unless $self->{media} =~ m/^(?:email|file|printer)$/;
3376
3377   # Several fields that used to reside in %::myconfig (stored in
3378   # auth.user_config) are now stored in defaults. Copy them over for
3379   # compatibility.
3380   $self->{$_} = $defaults->$_ for qw(company address taxnumber co_ustid duns sepa_creditor_id);
3381
3382   $self->{"myconfig_${_}"} = $::myconfig{$_} for grep { $_ ne 'dbpasswd' } keys %::myconfig;
3383
3384   if (!$self->{employee_id}) {
3385     $self->{"employee_${_}"} = $::myconfig{$_} for qw(email tel fax name signature);
3386     $self->{"employee_${_}"} = $defaults->$_   for qw(address businessnumber co_ustid company duns sepa_creditor_id taxnumber);
3387   }
3388
3389   # Load shipping address from database if shipto_id is set.
3390   if ($self->{shipto_id}) {
3391     my $shipto  = SL::DB::Shipto->new(shipto_id => $self->{shipto_id})->load;
3392     $self->{$_} = $shipto->$_ for grep { m{^shipto} } map { $_->name } @{ $shipto->meta->columns };
3393   }
3394
3395   my $language = $self->{language} ? '_' . $self->{language} : '';
3396
3397   my ($language_tc, $output_numberformat, $output_dateformat, $output_longdates);
3398   if ($self->{language_id}) {
3399     ($language_tc, $output_numberformat, $output_dateformat, $output_longdates) = AM->get_language_details(\%::myconfig, $self, $self->{language_id});
3400   }
3401
3402   $output_dateformat   ||= $::myconfig{dateformat};
3403   $output_numberformat ||= $::myconfig{numberformat};
3404   $output_longdates    //= 1;
3405
3406   $self->{myconfig_output_dateformat}   = $output_dateformat   // $::myconfig{dateformat};
3407   $self->{myconfig_output_longdates}    = $output_longdates    // 1;
3408   $self->{myconfig_output_numberformat} = $output_numberformat // $::myconfig{numberformat};
3409
3410   # Retrieve accounts for tax calculation.
3411   IC->retrieve_accounts(\%::myconfig, $self, map { $_ => $self->{"id_$_"} } 1 .. $self->{rowcount});
3412
3413   if ($self->{type} =~ /_delivery_order$/) {
3414     DO->order_details(\%::myconfig, $self);
3415   } elsif ($self->{type} =~ /sales_order|sales_quotation|request_quotation|purchase_order/) {
3416     OE->order_details(\%::myconfig, $self);
3417   } else {
3418     IS->invoice_details(\%::myconfig, $self, $::locale);
3419   }
3420
3421   # Chose extension & set source file name
3422   my $extension = 'html';
3423   if ($self->{format} eq 'postscript') {
3424     $self->{postscript}   = 1;
3425     $extension            = 'tex';
3426   } elsif ($self->{"format"} =~ /pdf/) {
3427     $self->{pdf}          = 1;
3428     $extension            = $self->{'format'} =~ m/opendocument/i ? 'odt' : 'tex';
3429   } elsif ($self->{"format"} =~ /opendocument/) {
3430     $self->{opendocument} = 1;
3431     $extension            = 'odt';
3432   } elsif ($self->{"format"} =~ /excel/) {
3433     $self->{excel}        = 1;
3434     $extension            = 'xls';
3435   }
3436
3437   my $printer_code    = $self->{printer_code} ? '_' . $self->{printer_code} : '';
3438   my $email_extension = $self->{media} eq 'email' && -f ($defaults->templates . "/$self->{formname}_email${language}.${extension}") ? '_email' : '';
3439   $self->{IN}         = "$self->{formname}${email_extension}${language}${printer_code}.${extension}";
3440
3441   # Format dates.
3442   $self->format_dates($output_dateformat, $output_longdates,
3443                       qw(invdate orddate quodate pldate duedate reqdate transdate shippingdate deliverydate validitydate paymentdate datepaid
3444                          transdate_oe deliverydate_oe employee_startdate employee_enddate),
3445                       grep({ /^(?:datepaid|transdate_oe|reqdate|deliverydate|deliverydate_oe|transdate)_\d+$/ } keys(%{$self})));
3446
3447   $self->reformat_numbers($output_numberformat, 2,
3448                           qw(invtotal ordtotal quototal subtotal linetotal listprice sellprice netprice discount tax taxbase total paid),
3449                           grep({ /^(?:linetotal|listprice|sellprice|netprice|taxbase|discount|paid|subtotal|total|tax)_\d+$/ } keys(%{$self})));
3450
3451   $self->reformat_numbers($output_numberformat, undef, qw(qty price_factor), grep({ /^qty_\d+$/} keys(%{$self})));
3452
3453   my ($cvar_date_fields, $cvar_number_fields) = CVar->get_field_format_list('module' => 'CT', 'prefix' => 'vc_');
3454
3455   if (scalar @{ $cvar_date_fields }) {
3456     $self->format_dates($output_dateformat, $output_longdates, @{ $cvar_date_fields });
3457   }
3458
3459   while (my ($precision, $field_list) = each %{ $cvar_number_fields }) {
3460     $self->reformat_numbers($output_numberformat, $precision, @{ $field_list });
3461   }
3462
3463   $self->{template_meta} = {
3464     formname  => $self->{formname},
3465     language  => SL::DB::Manager::Language->find_by_or_create(id => $self->{language_id} || undef),
3466     format    => $self->{format},
3467     media     => $self->{media},
3468     extension => $extension,
3469     printer   => SL::DB::Manager::Printer->find_by_or_create(id => $self->{printer_id} || undef),
3470     today     => DateTime->today,
3471   };
3472
3473   return $self;
3474 }
3475
3476 sub calculate_arap {
3477   my ($self,$buysell,$taxincluded,$exchangerate,$roundplaces) = @_;
3478
3479   # this function is used to calculate netamount, total_tax and amount for AP and
3480   # AR transactions (Kreditoren-/Debitorenbuchungen) by going over all lines
3481   # (1..$rowcount)
3482   # Thus it needs a fully prepared $form to work on.
3483   # calculate_arap assumes $form->{amount_$i} entries still need to be parsed
3484
3485   # The calculated total values are all rounded (default is to 2 places) and
3486   # returned as parameters rather than directly modifying form.  The aim is to
3487   # make the calculation of AP and AR behave identically.  There is a test-case
3488   # for this function in t/form/arap.t
3489
3490   # While calculating the totals $form->{amount_$i} and $form->{tax_$i} are
3491   # modified and formatted and receive the correct sign for writing straight to
3492   # acc_trans, depending on whether they are ar or ap.
3493
3494   # check parameters
3495   die "taxincluded needed in Form->calculate_arap" unless defined $taxincluded;
3496   die "exchangerate needed in Form->calculate_arap" unless defined $exchangerate;
3497   die 'illegal buysell parameter, has to be \"buy\" or \"sell\" in Form->calculate_arap\n' unless $buysell =~ /^(buy|sell)$/;
3498   $roundplaces = 2 unless $roundplaces;
3499
3500   my $sign = 1;  # adjust final results for writing amount to acc_trans
3501   $sign = -1 if $buysell eq 'buy';
3502
3503   my ($netamount,$total_tax,$amount);
3504
3505   my $tax;
3506
3507   # parse and round amounts, setting correct sign for writing to acc_trans
3508   for my $i (1 .. $self->{rowcount}) {
3509     $self->{"amount_$i"} = $self->round_amount($self->parse_amount(\%::myconfig, $self->{"amount_$i"}) * $exchangerate * $sign, $roundplaces);
3510
3511     $amount += $self->{"amount_$i"} * $sign;
3512   }
3513
3514   for my $i (1 .. $self->{rowcount}) {
3515     next unless $self->{"amount_$i"};
3516     ($self->{"tax_id_$i"}) = split /--/, $self->{"taxchart_$i"};
3517     my $tax_id = $self->{"tax_id_$i"};
3518
3519     my $selected_tax = SL::DB::Manager::Tax->find_by(id => "$tax_id");
3520
3521     if ( $selected_tax ) {
3522
3523       if ( $buysell eq 'sell' ) {
3524         $self->{AR_amounts}{"tax_$i"} = $selected_tax->chart->accno if defined $selected_tax->chart;
3525       } else {
3526         $self->{AP_amounts}{"tax_$i"} = $selected_tax->chart->accno if defined $selected_tax->chart;
3527       };
3528
3529       $self->{"taxkey_$i"} = $selected_tax->taxkey;
3530       $self->{"taxrate_$i"} = $selected_tax->rate;
3531     };
3532
3533     ($self->{"amount_$i"}, $self->{"tax_$i"}) = $self->calculate_tax($self->{"amount_$i"},$self->{"taxrate_$i"},$taxincluded,$roundplaces);
3534
3535     $netamount  += $self->{"amount_$i"};
3536     $total_tax  += $self->{"tax_$i"};
3537
3538   }
3539   $amount = $netamount + $total_tax;
3540
3541   # due to $sign amount_$i und tax_$i already have the right sign for acc_trans
3542   # but reverse sign of totals for writing amounts to ar
3543   if ( $buysell eq 'buy' ) {
3544     $netamount *= -1;
3545     $amount    *= -1;
3546     $total_tax *= -1;
3547   };
3548
3549   return($netamount,$total_tax,$amount);
3550 }
3551
3552 sub format_dates {
3553   my ($self, $dateformat, $longformat, @indices) = @_;
3554
3555   $dateformat ||= $::myconfig{dateformat};
3556
3557   foreach my $idx (@indices) {
3558     if ($self->{TEMPLATE_ARRAYS} && (ref($self->{TEMPLATE_ARRAYS}->{$idx}) eq "ARRAY")) {
3559       for (my $i = 0; $i < scalar(@{ $self->{TEMPLATE_ARRAYS}->{$idx} }); $i++) {
3560         $self->{TEMPLATE_ARRAYS}->{$idx}->[$i] = $::locale->reformat_date(\%::myconfig, $self->{TEMPLATE_ARRAYS}->{$idx}->[$i], $dateformat, $longformat);
3561       }
3562     }
3563
3564     next unless defined $self->{$idx};
3565
3566     if (!ref($self->{$idx})) {
3567       $self->{$idx} = $::locale->reformat_date(\%::myconfig, $self->{$idx}, $dateformat, $longformat);
3568
3569     } elsif (ref($self->{$idx}) eq "ARRAY") {
3570       for (my $i = 0; $i < scalar(@{ $self->{$idx} }); $i++) {
3571         $self->{$idx}->[$i] = $::locale->reformat_date(\%::myconfig, $self->{$idx}->[$i], $dateformat, $longformat);
3572       }
3573     }
3574   }
3575 }
3576
3577 sub reformat_numbers {
3578   my ($self, $numberformat, $places, @indices) = @_;
3579
3580   return if !$numberformat || ($numberformat eq $::myconfig{numberformat});
3581
3582   foreach my $idx (@indices) {
3583     if ($self->{TEMPLATE_ARRAYS} && (ref($self->{TEMPLATE_ARRAYS}->{$idx}) eq "ARRAY")) {
3584       for (my $i = 0; $i < scalar(@{ $self->{TEMPLATE_ARRAYS}->{$idx} }); $i++) {
3585         $self->{TEMPLATE_ARRAYS}->{$idx}->[$i] = $self->parse_amount(\%::myconfig, $self->{TEMPLATE_ARRAYS}->{$idx}->[$i]);
3586       }
3587     }
3588
3589     next unless defined $self->{$idx};
3590
3591     if (!ref($self->{$idx})) {
3592       $self->{$idx} = $self->parse_amount(\%::myconfig, $self->{$idx});
3593
3594     } elsif (ref($self->{$idx}) eq "ARRAY") {
3595       for (my $i = 0; $i < scalar(@{ $self->{$idx} }); $i++) {
3596         $self->{$idx}->[$i] = $self->parse_amount(\%::myconfig, $self->{$idx}->[$i]);
3597       }
3598     }
3599   }
3600
3601   my $saved_numberformat    = $::myconfig{numberformat};
3602   $::myconfig{numberformat} = $numberformat;
3603
3604   foreach my $idx (@indices) {
3605     if ($self->{TEMPLATE_ARRAYS} && (ref($self->{TEMPLATE_ARRAYS}->{$idx}) eq "ARRAY")) {
3606       for (my $i = 0; $i < scalar(@{ $self->{TEMPLATE_ARRAYS}->{$idx} }); $i++) {
3607         $self->{TEMPLATE_ARRAYS}->{$idx}->[$i] = $self->format_amount(\%::myconfig, $self->{TEMPLATE_ARRAYS}->{$idx}->[$i], $places);
3608       }
3609     }
3610
3611     next unless defined $self->{$idx};
3612
3613     if (!ref($self->{$idx})) {
3614       $self->{$idx} = $self->format_amount(\%::myconfig, $self->{$idx}, $places);
3615
3616     } elsif (ref($self->{$idx}) eq "ARRAY") {
3617       for (my $i = 0; $i < scalar(@{ $self->{$idx} }); $i++) {
3618         $self->{$idx}->[$i] = $self->format_amount(\%::myconfig, $self->{$idx}->[$i], $places);
3619       }
3620     }
3621   }
3622
3623   $::myconfig{numberformat} = $saved_numberformat;
3624 }
3625
3626 sub create_email_signature {
3627
3628   my $client_signature = $::instance_conf->get_signature;
3629   my $user_signature   = $::myconfig{signature};
3630
3631   my $signature = '';
3632   if ( $client_signature or $user_signature ) {
3633     $signature  = "\n\n-- \n";
3634     $signature .= $user_signature   . "\n" if $user_signature;
3635     $signature .= $client_signature . "\n" if $client_signature;
3636   };
3637   return $signature;
3638
3639 };
3640
3641 sub layout {
3642   my ($self) = @_;
3643   $::lxdebug->enter_sub;
3644
3645   my %style_to_script_map = (
3646     v3  => 'v3',
3647     neu => 'new',
3648   );
3649
3650   my $menu_script = $style_to_script_map{$::myconfig{menustyle}} || '';
3651
3652   package main;
3653   require "bin/mozilla/menu$menu_script.pl";
3654   package Form;
3655   require SL::Controller::FrameHeader;
3656
3657
3658   my $layout = SL::Controller::FrameHeader->new->action_header . ::render();
3659
3660   $::lxdebug->leave_sub;
3661   return $layout;
3662 }
3663
3664 sub calculate_tax {
3665   # this function calculates the net amount and tax for the lines in ar, ap and
3666   # gl and is used for update as well as post. When used with update the return
3667   # value of amount isn't needed
3668
3669   # calculate_tax should always work with positive values, or rather as the user inputs them
3670   # calculate_tax uses db/perl numberformat, i.e. parsed numbers
3671   # convert to negative numbers (when necessary) only when writing to acc_trans
3672   # the amount from $form for ap/ar/gl is currently always rounded to 2 decimals before it reaches here
3673   # for post_transaction amount already contains exchangerate and correct sign and is rounded
3674   # calculate_tax doesn't (need to) know anything about exchangerate
3675
3676   my ($self,$amount,$taxrate,$taxincluded,$roundplaces) = @_;
3677
3678   $roundplaces = 2 unless defined $roundplaces;
3679
3680   my $tax;
3681
3682   if ($taxincluded *= 1) {
3683     # calculate tax (unrounded), subtract from amount, round amount and round tax
3684     $tax       = $amount - ($amount / ($taxrate + 1)); # equivalent to: taxrate * amount / (taxrate + 1)
3685     $amount    = $self->round_amount($amount - $tax, $roundplaces);
3686     $tax       = $self->round_amount($tax, $roundplaces);
3687   } else {
3688     $tax       = $amount * $taxrate;
3689     $tax       = $self->round_amount($tax, $roundplaces);
3690   }
3691
3692   $tax = 0 unless $tax;
3693
3694   return ($amount,$tax);
3695 };
3696
3697 sub _get_precision {
3698   my ( $self ) = @_;
3699   my $precision = 0.01;
3700   eval {
3701     my $client = $::auth->{client};
3702     my $dbconnect = 'dbi:Pg:dbname=' . $client->{dbname} . ';host=' . $client->{dbhost} . ';port=' . $client->{dbport};
3703     my $dbh       = DBI->connect($dbconnect, $client->{dbuser}, $client->{dbpasswd});
3704     my $query = q{ SELECT precision FROM defaults };
3705     ($precision) = selectrow_query($::form, $dbh, $query);
3706     $dbh->disconnect;
3707   };
3708   return $precision;
3709 }
3710
3711 1;
3712
3713 __END__
3714
3715 =head1 NAME
3716
3717 SL::Form.pm - main data object.
3718
3719 =head1 SYNOPSIS
3720
3721 This is the main data object of kivitendo.
3722 Unfortunately it also acts as a god object for certain data retrieval procedures used in the entry points.
3723 Points of interest for a beginner are:
3724
3725  - $form->error            - renders a generic error in html. accepts an error message
3726  - $form->get_standard_dbh - returns a database connection for the
3727
3728 =head1 SPECIAL FUNCTIONS
3729
3730 =head2 C<redirect_header> $url
3731
3732 Generates a HTTP redirection header for the new C<$url>. Constructs an
3733 absolute URL including scheme, host name and port. If C<$url> is a
3734 relative URL then it is considered relative to kivitendo base URL.
3735
3736 This function C<die>s if headers have already been created with
3737 C<$::form-E<gt>header>.
3738
3739 Examples:
3740
3741   print $::form->redirect_header('oe.pl?action=edit&id=1234');
3742   print $::form->redirect_header('http://www.lx-office.org/');
3743
3744 =head2 C<header>
3745
3746 Generates a general purpose http/html header and includes most of the scripts
3747 and stylesheets needed. Stylesheets can be added with L<use_stylesheet>.
3748
3749 Only one header will be generated. If the method was already called in this
3750 request it will not output anything and return undef. Also if no
3751 HTTP_USER_AGENT is found, no header is generated.
3752
3753 Although header does not accept parameters itself, it will honor special
3754 hashkeys of its Form instance:
3755
3756 =over 4
3757
3758 =item refresh_time
3759
3760 =item refresh_url
3761
3762 If one of these is set, a http-equiv refresh is generated. Missing parameters
3763 default to 3 seconds and the refering url.
3764
3765 =item stylesheet
3766
3767 Either a scalar or an array ref. Will be inlined into the header. Add
3768 stylesheets with the L<use_stylesheet> function.
3769
3770 =item landscape
3771
3772 If true, a css snippet will be generated that sets the page in landscape mode.
3773
3774 =item favicon
3775
3776 Used to override the default favicon.
3777
3778 =item title
3779
3780 A html page title will be generated from this
3781
3782 =item mtime_ischanged
3783
3784 Tries to avoid concurrent write operations to records by checking the database mtime with a fetched one.
3785
3786 Can be used / called with any table, that has itime and mtime attributes.
3787 Valid C<table> names are: oe, ar, ap, delivery_orders, parts.
3788 Can be called wit C<option> mail to generate a different error message.
3789
3790 Returns undef if no save operation has been done yet ($self->{id} not present).
3791 Returns undef if no concurrent write process is detected otherwise a error message.
3792
3793 =back
3794
3795 =cut