e98b43c2bd02e3c25404605f0a7278c7d8c9729d
[koha-equinox.git] / C4 / Auth.pm
1 package C4::Auth;
2
3 # Copyright 2000-2002 Katipo Communications
4 #
5 # This file is part of Koha.
6 #
7 # Koha is free software; you can redistribute it and/or modify it under the
8 # terms of the GNU General Public License as published by the Free Software
9 # Foundation; either version 2 of the License, or (at your option) any later
10 # version.
11 #
12 # Koha is distributed in the hope that it will be useful, but WITHOUT ANY
13 # WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR
14 # A PARTICULAR PURPOSE.  See the GNU General Public License for more details.
15 #
16 # You should have received a copy of the GNU General Public License along
17 # with Koha; if not, write to the Free Software Foundation, Inc.,
18 # 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
19
20 use strict;
21 use warnings;
22 use Digest::MD5 qw(md5_base64);
23 use JSON qw/encode_json/;
24 use URI::Escape;
25 use CGI::Session;
26
27 require Exporter;
28 use C4::Context;
29 use C4::Templates;    # to get the template
30 use C4::Languages;
31 use C4::Branch; # GetBranches
32 use C4::Search::History;
33 use C4::VirtualShelves;
34 use Koha::AuthUtils qw(hash_password);
35 use POSIX qw/strftime/;
36 use List::MoreUtils qw/ any /;
37
38 # use utf8;
39 use vars qw($VERSION @ISA @EXPORT @EXPORT_OK %EXPORT_TAGS $debug $ldap $cas $caslogout);
40
41 BEGIN {
42     sub psgi_env { any { /^psgi\./ } keys %ENV }
43     sub safe_exit {
44     if ( psgi_env ) { die 'psgi:exit' }
45     else { exit }
46     }
47     $VERSION     = 3.07.00.049;   # set version for version checking
48
49     $debug       = $ENV{DEBUG};
50     @ISA         = qw(Exporter);
51     @EXPORT      = qw(&checkauth &get_template_and_user &haspermission &get_user_subpermissions);
52     @EXPORT_OK   = qw(&check_api_auth &get_session &check_cookie_auth &checkpw &checkpw_internal &checkpw_hash
53                       &get_all_subpermissions &get_user_subpermissions
54                    );
55     %EXPORT_TAGS = ( EditPermissions => [qw(get_all_subpermissions get_user_subpermissions)] );
56     $ldap        = C4::Context->config('useldapserver') || 0;
57     $cas         = C4::Context->preference('casAuthentication');
58     $caslogout   = C4::Context->preference('casLogout');
59     require C4::Auth_with_cas;             # no import
60     if ($ldap) {
61     require C4::Auth_with_ldap;
62     import C4::Auth_with_ldap qw(checkpw_ldap);
63     }
64     if ($cas) {
65         import  C4::Auth_with_cas qw(check_api_auth_cas checkpw_cas login_cas logout_cas login_cas_url);
66     }
67
68 }
69
70 =head1 NAME
71
72 C4::Auth - Authenticates Koha users
73
74 =head1 SYNOPSIS
75
76   use CGI;
77   use C4::Auth;
78   use C4::Output;
79
80   my $query = new CGI;
81
82   my ($template, $borrowernumber, $cookie)
83     = get_template_and_user(
84         {
85             template_name   => "opac-main.tmpl",
86             query           => $query,
87       type            => "opac",
88       authnotrequired => 1,
89       flagsrequired   => {borrow => 1, catalogue => '*', tools => 'import_patrons' },
90   }
91     );
92
93   output_html_with_http_headers $query, $cookie, $template->output;
94
95 =head1 DESCRIPTION
96
97 The main function of this module is to provide
98 authentification. However the get_template_and_user function has
99 been provided so that a users login information is passed along
100 automatically. This gets loaded into the template.
101
102 =head1 FUNCTIONS
103
104 =head2 get_template_and_user
105
106  my ($template, $borrowernumber, $cookie)
107      = get_template_and_user(
108        {
109          template_name   => "opac-main.tmpl",
110          query           => $query,
111          type            => "opac",
112          authnotrequired => 1,
113          flagsrequired   => {borrow => 1, catalogue => '*', tools => 'import_patrons' },
114        }
115      );
116
117 This call passes the C<query>, C<flagsrequired> and C<authnotrequired>
118 to C<&checkauth> (in this module) to perform authentification.
119 See C<&checkauth> for an explanation of these parameters.
120
121 The C<template_name> is then used to find the correct template for
122 the page. The authenticated users details are loaded onto the
123 template in the HTML::Template LOOP variable C<USER_INFO>. Also the
124 C<sessionID> is passed to the template. This can be used in templates
125 if cookies are disabled. It needs to be put as and input to every
126 authenticated page.
127
128 More information on the C<gettemplate> sub can be found in the
129 Output.pm module.
130
131 =cut
132
133 sub get_template_and_user {
134
135     my $in       = shift;
136     my ( $user, $cookie, $sessionID, $flags );
137
138     C4::Context->interface($in->{type});
139
140     my $template = C4::Templates::gettemplate(
141         $in->{'template_name'},
142         $in->{'type'},
143         $in->{'query'},
144         $in->{'is_plugin'}
145     );
146
147     if ( $in->{'template_name'} !~m/maintenance/ ) {
148         ( $user, $cookie, $sessionID, $flags ) = checkauth(
149             $in->{'query'},
150             $in->{'authnotrequired'},
151             $in->{'flagsrequired'},
152             $in->{'type'}
153         );
154     }
155
156     my $borrowernumber;
157     if ($user) {
158         require C4::Members;
159         # It's possible for $user to be the borrowernumber if they don't have a
160         # userid defined (and are logging in through some other method, such
161         # as SSL certs against an email address)
162         $borrowernumber = getborrowernumber($user) if defined($user);
163         if (!defined($borrowernumber) && defined($user)) {
164             my $borrower = C4::Members::GetMember(borrowernumber => $user);
165             if ($borrower) {
166                 $borrowernumber = $user;
167                 # A bit of a hack, but I don't know there's a nicer way
168                 # to do it.
169                 $user = $borrower->{firstname} . ' ' . $borrower->{surname};
170             }
171         }
172
173         # user info
174         $template->param( loggedinusername => $user );
175         $template->param( sessionID        => $sessionID );
176
177         my ($total, $pubshelves, $barshelves) = C4::VirtualShelves::GetSomeShelfNames($borrowernumber, 'MASTHEAD');
178         $template->param(
179             pubshelves     => $total->{pubtotal},
180             pubshelvesloop => $pubshelves,
181             barshelves      => $total->{bartotal},
182             barshelvesloop  => $barshelves,
183         );
184
185         my ( $borr ) = C4::Members::GetMemberDetails( $borrowernumber );
186         my @bordat;
187         $bordat[0] = $borr;
188         $template->param( "USER_INFO" => \@bordat );
189
190         my $all_perms = get_all_subpermissions();
191
192         my @flagroots = qw(circulate catalogue parameters borrowers permissions reserveforothers borrow
193                             editcatalogue updatecharges management tools editauthorities serials reports acquisition);
194         # We are going to use the $flags returned by checkauth
195         # to create the template's parameters that will indicate
196         # which menus the user can access.
197         if ( $flags && $flags->{superlibrarian}==1 ) {
198             $template->param( CAN_user_circulate        => 1 );
199             $template->param( CAN_user_catalogue        => 1 );
200             $template->param( CAN_user_parameters       => 1 );
201             $template->param( CAN_user_borrowers        => 1 );
202             $template->param( CAN_user_permissions      => 1 );
203             $template->param( CAN_user_reserveforothers => 1 );
204             $template->param( CAN_user_borrow           => 1 );
205             $template->param( CAN_user_editcatalogue    => 1 );
206             $template->param( CAN_user_updatecharges    => 1 );
207             $template->param( CAN_user_acquisition      => 1 );
208             $template->param( CAN_user_management       => 1 );
209             $template->param( CAN_user_tools            => 1 );
210             $template->param( CAN_user_editauthorities  => 1 );
211             $template->param( CAN_user_serials          => 1 );
212             $template->param( CAN_user_reports          => 1 );
213             $template->param( CAN_user_staffaccess      => 1 );
214             $template->param( CAN_user_plugins          => 1 );
215             $template->param( CAN_user_coursereserves   => 1 );
216             foreach my $module (keys %$all_perms) {
217                 foreach my $subperm (keys %{ $all_perms->{$module} }) {
218                     $template->param( "CAN_user_${module}_${subperm}" => 1 );
219                 }
220             }
221         }
222
223         if ( $flags ) {
224             foreach my $module (keys %$all_perms) {
225                 if ( $flags->{$module} == 1) {
226                     foreach my $subperm (keys %{ $all_perms->{$module} }) {
227                         $template->param( "CAN_user_${module}_${subperm}" => 1 );
228                     }
229                 } elsif ( ref($flags->{$module}) ) {
230                     foreach my $subperm (keys %{ $flags->{$module} } ) {
231                         $template->param( "CAN_user_${module}_${subperm}" => 1 );
232                     }
233                 }
234             }
235         }
236
237         if ($flags) {
238             foreach my $module (keys %$flags) {
239                 if ( $flags->{$module} == 1 or ref($flags->{$module}) ) {
240                     $template->param( "CAN_user_$module" => 1 );
241                     if ($module eq "parameters") {
242                         $template->param( CAN_user_management => 1 );
243                     }
244                 }
245             }
246         }
247         # Logged-in opac search history
248         # If the requested template is an opac one and opac search history is enabled
249         if ($in->{type} eq 'opac' && C4::Context->preference('EnableOpacSearchHistory')) {
250             my $dbh = C4::Context->dbh;
251             my $query = "SELECT COUNT(*) FROM search_history WHERE userid=?";
252             my $sth = $dbh->prepare($query);
253             $sth->execute($borrowernumber);
254
255             # If at least one search has already been performed
256             if ($sth->fetchrow_array > 0) {
257                 # We show the link in opac
258                 $template->param( EnableOpacSearchHistory => 1 );
259             }
260
261             # And if there are searches performed when the user was not logged in,
262             # we add them to the logged-in search history
263             my @recentSearches = C4::Search::History::get_from_session({ cgi => $in->{'query'} });
264             if (@recentSearches) {
265                 my $dbh = C4::Context->dbh;
266                 my $query = q{
267                     INSERT INTO search_history(userid, sessionid, query_desc, query_cgi, type,  total, time )
268                     VALUES (?, ?, ?, ?, ?, ?, ?)
269                 };
270
271                 my $sth = $dbh->prepare($query);
272                 $sth->execute( $borrowernumber,
273                            $in->{query}->cookie("CGISESSID"),
274                            $_->{query_desc},
275                            $_->{query_cgi},
276                            $_->{type} || 'biblio',
277                            $_->{total},
278                            $_->{time},
279                         ) foreach @recentSearches;
280
281                 # clear out the search history from the session now that
282                 # we've saved it to the database
283                 C4::Search::History::set_to_session({ cgi => $in->{'query'}, search_history => [] });
284             }
285         } elsif ( $in->{type} eq 'intranet' and C4::Context->preference('EnableSearchHistory') ) {
286             $template->param( EnableSearchHistory => 1 );
287         }
288     }
289     else {    # if this is an anonymous session, setup to display public lists...
290
291         $template->param( sessionID        => $sessionID );
292         
293         my ($total, $pubshelves) = C4::VirtualShelves::GetSomeShelfNames(undef, 'MASTHEAD');
294         $template->param(
295             pubshelves     => $total->{pubtotal},
296             pubshelvesloop => $pubshelves,
297         );
298     }
299      # Anonymous opac search history
300      # If opac search history is enabled and at least one search has already been performed
301      if (C4::Context->preference('EnableOpacSearchHistory')) {
302         my @recentSearches = C4::Search::History::get_from_session({ cgi => $in->{'query'} });
303         if (@recentSearches) {
304             $template->param(EnableOpacSearchHistory => 1);
305         }
306      }
307
308     if(C4::Context->preference('dateformat')){
309         $template->param(dateformat => C4::Context->preference('dateformat'))
310     }
311
312     # these template parameters are set the same regardless of $in->{'type'}
313
314     # Set the using_https variable for templates
315     # FIXME Under Plack the CGI->https method always returns 'OFF'
316     my $https = $in->{query}->https();
317     my $using_https = (defined $https and $https ne 'OFF') ? 1 : 0;
318
319     $template->param(
320             "BiblioDefaultView".C4::Context->preference("BiblioDefaultView")         => 1,
321             EnhancedMessagingPreferences => C4::Context->preference('EnhancedMessagingPreferences'),
322             GoogleJackets                => C4::Context->preference("GoogleJackets"),
323             OpenLibraryCovers            => C4::Context->preference("OpenLibraryCovers"),
324             KohaAdminEmailAddress        => "" . C4::Context->preference("KohaAdminEmailAddress"),
325             LoginBranchcode              => (C4::Context->userenv?C4::Context->userenv->{"branch"}:undef),
326             LoginFirstname               => (C4::Context->userenv?C4::Context->userenv->{"firstname"}:"Bel"),
327             LoginSurname                 => C4::Context->userenv?C4::Context->userenv->{"surname"}:"Inconnu",
328             emailaddress                 => C4::Context->userenv?C4::Context->userenv->{"emailaddress"}:undef,
329             loggedinpersona              => C4::Context->userenv?C4::Context->userenv->{"persona"}:undef,
330             TagsEnabled                  => C4::Context->preference("TagsEnabled"),
331             hide_marc                    => C4::Context->preference("hide_marc"),
332             item_level_itypes            => C4::Context->preference('item-level_itypes'),
333             patronimages                 => C4::Context->preference("patronimages"),
334             singleBranchMode             => C4::Context->preference("singleBranchMode"),
335             XSLTDetailsDisplay           => C4::Context->preference("XSLTDetailsDisplay"),
336             XSLTResultsDisplay           => C4::Context->preference("XSLTResultsDisplay"),
337             using_https                  => $using_https,
338             noItemTypeImages             => C4::Context->preference("noItemTypeImages"),
339             marcflavour                  => C4::Context->preference("marcflavour"),
340             persona                      => C4::Context->preference("persona"),
341     );
342     if ( $in->{'type'} eq "intranet" ) {
343         $template->param(
344             AmazonCoverImages           => C4::Context->preference("AmazonCoverImages"),
345             AutoLocation                => C4::Context->preference("AutoLocation"),
346             "BiblioDefaultView".C4::Context->preference("IntranetBiblioDefaultView") => 1,
347             CalendarFirstDayOfWeek      => (C4::Context->preference("CalendarFirstDayOfWeek") eq "Sunday")?0:1,
348             CircAutocompl               => C4::Context->preference("CircAutocompl"),
349             FRBRizeEditions             => C4::Context->preference("FRBRizeEditions"),
350             IndependentBranches         => C4::Context->preference("IndependentBranches"),
351             IntranetNav                 => C4::Context->preference("IntranetNav"),
352             IntranetmainUserblock       => C4::Context->preference("IntranetmainUserblock"),
353             LibraryName                 => C4::Context->preference("LibraryName"),
354             LoginBranchname             => (C4::Context->userenv?C4::Context->userenv->{"branchname"}:undef),
355             advancedMARCEditor          => C4::Context->preference("advancedMARCEditor"),
356             canreservefromotherbranches => C4::Context->preference('canreservefromotherbranches'),
357             intranetcolorstylesheet     => C4::Context->preference("intranetcolorstylesheet"),
358             IntranetFavicon             => C4::Context->preference("IntranetFavicon"),
359             intranetreadinghistory      => C4::Context->preference("intranetreadinghistory"),
360             intranetstylesheet          => C4::Context->preference("intranetstylesheet"),
361             IntranetUserCSS             => C4::Context->preference("IntranetUserCSS"),
362             intranetuserjs              => C4::Context->preference("intranetuserjs"),
363             intranetbookbag             => C4::Context->preference("intranetbookbag"),
364             suggestion                  => C4::Context->preference("suggestion"),
365             virtualshelves              => C4::Context->preference("virtualshelves"),
366             StaffSerialIssueDisplayCount => C4::Context->preference("StaffSerialIssueDisplayCount"),
367             EasyAnalyticalRecords       => C4::Context->preference('EasyAnalyticalRecords'),
368             LocalCoverImages            => C4::Context->preference('LocalCoverImages'),
369             OPACLocalCoverImages        => C4::Context->preference('OPACLocalCoverImages'),
370             AllowMultipleCovers         => C4::Context->preference('AllowMultipleCovers'),
371             EnableBorrowerFiles         => C4::Context->preference('EnableBorrowerFiles'),
372             UseKohaPlugins              => C4::Context->preference('UseKohaPlugins'),
373             UseCourseReserves            => C4::Context->preference("UseCourseReserves"),
374         );
375     }
376     else {
377         warn "template type should be OPAC, here it is=[" . $in->{'type'} . "]" unless ( $in->{'type'} eq 'opac' );
378         #TODO : replace LibraryName syspref with 'system name', and remove this html processing
379         my $LibraryNameTitle = C4::Context->preference("LibraryName");
380         $LibraryNameTitle =~ s/<(?:\/?)(?:br|p)\s*(?:\/?)>/ /sgi;
381         $LibraryNameTitle =~ s/<(?:[^<>'"]|'(?:[^']*)'|"(?:[^"]*)")*>//sg;
382         # clean up the busc param in the session if the page is not opac-detail and not the "add to list" page
383         if (   C4::Context->preference("OpacBrowseResults")
384             && $in->{'template_name'} =~ /opac-(.+)\.(?:tt|tmpl)$/ ) {
385             my $pagename = $1;
386             unless (   $pagename =~ /^(?:MARC|ISBD)?detail$/
387                     or $pagename =~ /^addbybiblionumber$/ ) {
388                 my $sessionSearch = get_session($sessionID || $in->{'query'}->cookie("CGISESSID"));
389                 $sessionSearch->clear(["busc"]) if ($sessionSearch->param("busc"));
390             }
391         }
392         # variables passed from CGI: opac_css_override and opac_search_limits.
393         my $opac_search_limit = $ENV{'OPAC_SEARCH_LIMIT'};
394         my $opac_limit_override = $ENV{'OPAC_LIMIT_OVERRIDE'};
395         my $opac_name = '';
396         if (
397             ($opac_limit_override && $opac_search_limit && $opac_search_limit =~ /branch:(\w+)/) ||
398             ($in->{'query'}->param('limit') && $in->{'query'}->param('limit') =~ /branch:(\w+)/) ||
399             ($in->{'query'}->param('multibranchlimit') && $in->{'query'}->param('multibranchlimit') =~ /multibranchlimit-(\w+)/)
400         ) {
401             $opac_name = $1;   # opac_search_limit is a branch, so we use it.
402         } elsif ( $in->{'query'}->param('multibranchlimit') ) {
403             $opac_name = $in->{'query'}->param('multibranchlimit');
404         } elsif (C4::Context->preference("SearchMyLibraryFirst") && C4::Context->userenv && C4::Context->userenv->{'branch'}) {
405             $opac_name = C4::Context->userenv->{'branch'};
406         }
407         $template->param(
408             opaccolorstylesheet       => C4::Context->preference("opaccolorstylesheet"),
409             AnonSuggestions           => "" . C4::Context->preference("AnonSuggestions"),
410             AuthorisedValueImages     => C4::Context->preference("AuthorisedValueImages"),
411             BranchesLoop              => GetBranchesLoop($opac_name),
412             BranchCategoriesLoop      => GetBranchCategories( 'searchdomain', 1, $opac_name ),
413             CalendarFirstDayOfWeek    => (C4::Context->preference("CalendarFirstDayOfWeek") eq "Sunday")?0:1,
414             LibraryName               => "" . C4::Context->preference("LibraryName"),
415             LibraryNameTitle          => "" . $LibraryNameTitle,
416             LoginBranchname           => C4::Context->userenv?C4::Context->userenv->{"branchname"}:"",
417             OPACAmazonCoverImages     => C4::Context->preference("OPACAmazonCoverImages"),
418             OPACFRBRizeEditions       => C4::Context->preference("OPACFRBRizeEditions"),
419             OpacHighlightedWords      => C4::Context->preference("OpacHighlightedWords"),
420             OPACItemHolds             => C4::Context->preference("OPACItemHolds"),
421             OPACShelfBrowser          => "". C4::Context->preference("OPACShelfBrowser"),
422             OPACURLOpenInNewWindow    => "" . C4::Context->preference("OPACURLOpenInNewWindow"),
423             OPACUserCSS               => "". C4::Context->preference("OPACUserCSS"),
424             OPACMobileUserCSS         => "". C4::Context->preference("OPACMobileUserCSS"),
425             OPACViewOthersSuggestions => "" . C4::Context->preference("OPACViewOthersSuggestions"),
426             OpacAuthorities           => C4::Context->preference("OpacAuthorities"),
427             OPACBaseURL               => ($in->{'query'}->https() ? "https://" : "http://") . $ENV{'SERVER_NAME'} .
428                    ($ENV{'SERVER_PORT'} eq ($in->{'query'}->https() ? "443" : "80") ? '' : ":$ENV{'SERVER_PORT'}"),
429             opac_css_override         => $ENV{'OPAC_CSS_OVERRIDE'},
430             opac_search_limit         => $opac_search_limit,
431             opac_limit_override       => $opac_limit_override,
432             OpacBrowser               => C4::Context->preference("OpacBrowser"),
433             OpacCloud                 => C4::Context->preference("OpacCloud"),
434             OpacKohaUrl               => C4::Context->preference("OpacKohaUrl"),
435             OpacMainUserBlock         => "" . C4::Context->preference("OpacMainUserBlock"),
436             OpacMainUserBlockMobile   => "" . C4::Context->preference("OpacMainUserBlockMobile"),
437             OpacShowFiltersPulldownMobile => C4::Context->preference("OpacShowFiltersPulldownMobile"),
438             OpacShowLibrariesPulldownMobile => C4::Context->preference("OpacShowLibrariesPulldownMobile"),
439             OpacNav                   => "" . C4::Context->preference("OpacNav"),
440             OpacNavRight              => "" . C4::Context->preference("OpacNavRight"),
441             OpacNavBottom             => "" . C4::Context->preference("OpacNavBottom"),
442             OpacPasswordChange        => C4::Context->preference("OpacPasswordChange"),
443             OPACPatronDetails         => C4::Context->preference("OPACPatronDetails"),
444             OPACPrivacy               => C4::Context->preference("OPACPrivacy"),
445             OPACFinesTab              => C4::Context->preference("OPACFinesTab"),
446             OpacTopissue              => C4::Context->preference("OpacTopissue"),
447             RequestOnOpac             => C4::Context->preference("RequestOnOpac"),
448             'Version'                 => C4::Context->preference('Version'),
449             hidelostitems             => C4::Context->preference("hidelostitems"),
450             mylibraryfirst            => (C4::Context->preference("SearchMyLibraryFirst") && C4::Context->userenv) ? C4::Context->userenv->{'branch'} : '',
451             opaclayoutstylesheet      => "" . C4::Context->preference("opaclayoutstylesheet"),
452             opacbookbag               => "" . C4::Context->preference("opacbookbag"),
453             opaccredits               => "" . C4::Context->preference("opaccredits"),
454             OpacFavicon               => C4::Context->preference("OpacFavicon"),
455             opacheader                => "" . C4::Context->preference("opacheader"),
456             opaclanguagesdisplay      => "" . C4::Context->preference("opaclanguagesdisplay"),
457             opacreadinghistory        => C4::Context->preference("opacreadinghistory"),
458             opacsmallimage            => "" . C4::Context->preference("opacsmallimage"),
459             opacuserjs                => C4::Context->preference("opacuserjs"),
460             opacuserlogin             => "" . C4::Context->preference("opacuserlogin"),
461             ShowReviewer              => C4::Context->preference("ShowReviewer"),
462             ShowReviewerPhoto         => C4::Context->preference("ShowReviewerPhoto"),
463             suggestion                => "" . C4::Context->preference("suggestion"),
464             virtualshelves            => "" . C4::Context->preference("virtualshelves"),
465             OPACSerialIssueDisplayCount => C4::Context->preference("OPACSerialIssueDisplayCount"),
466             OPACXSLTDetailsDisplay           => C4::Context->preference("OPACXSLTDetailsDisplay"),
467             OPACXSLTResultsDisplay           => C4::Context->preference("OPACXSLTResultsDisplay"),
468             SyndeticsClientCode          => C4::Context->preference("SyndeticsClientCode"),
469             SyndeticsEnabled             => C4::Context->preference("SyndeticsEnabled"),
470             SyndeticsCoverImages         => C4::Context->preference("SyndeticsCoverImages"),
471             SyndeticsTOC                 => C4::Context->preference("SyndeticsTOC"),
472             SyndeticsSummary             => C4::Context->preference("SyndeticsSummary"),
473             SyndeticsEditions            => C4::Context->preference("SyndeticsEditions"),
474             SyndeticsExcerpt             => C4::Context->preference("SyndeticsExcerpt"),
475             SyndeticsReviews             => C4::Context->preference("SyndeticsReviews"),
476             SyndeticsAuthorNotes         => C4::Context->preference("SyndeticsAuthorNotes"),
477             SyndeticsAwards              => C4::Context->preference("SyndeticsAwards"),
478             SyndeticsSeries              => C4::Context->preference("SyndeticsSeries"),
479             SyndeticsCoverImageSize      => C4::Context->preference("SyndeticsCoverImageSize"),
480             OPACLocalCoverImages         => C4::Context->preference("OPACLocalCoverImages"),
481             PatronSelfRegistration       => C4::Context->preference("PatronSelfRegistration"),
482             PatronSelfRegistrationDefaultCategory => C4::Context->preference("PatronSelfRegistrationDefaultCategory"),
483         );
484
485         $template->param(OpacPublic => '1') if ($user || C4::Context->preference("OpacPublic"));
486     }
487
488     # Check if we were asked using parameters to force a specific language
489     if ( defined $in->{'query'}->param('language') ) {
490         # Extract the language, let C4::Languages::getlanguage choose
491         # what to do
492         my $language = C4::Languages::getlanguage($in->{'query'});
493         my $languagecookie = C4::Templates::getlanguagecookie($in->{'query'},$language);
494         if ( ref $cookie eq 'ARRAY' ) {
495             push @{ $cookie }, $languagecookie;
496         } else {
497             $cookie = [$cookie, $languagecookie];
498         }
499     }
500
501     return ( $template, $borrowernumber, $cookie, $flags);
502 }
503
504 =head2 checkauth
505
506   ($userid, $cookie, $sessionID) = &checkauth($query, $noauth, $flagsrequired, $type);
507
508 Verifies that the user is authorized to run this script.  If
509 the user is authorized, a (userid, cookie, session-id, flags)
510 quadruple is returned.  If the user is not authorized but does
511 not have the required privilege (see $flagsrequired below), it
512 displays an error page and exits.  Otherwise, it displays the
513 login page and exits.
514
515 Note that C<&checkauth> will return if and only if the user
516 is authorized, so it should be called early on, before any
517 unfinished operations (e.g., if you've opened a file, then
518 C<&checkauth> won't close it for you).
519
520 C<$query> is the CGI object for the script calling C<&checkauth>.
521
522 The C<$noauth> argument is optional. If it is set, then no
523 authorization is required for the script.
524
525 C<&checkauth> fetches user and session information from C<$query> and
526 ensures that the user is authorized to run scripts that require
527 authorization.
528
529 The C<$flagsrequired> argument specifies the required privileges
530 the user must have if the username and password are correct.
531 It should be specified as a reference-to-hash; keys in the hash
532 should be the "flags" for the user, as specified in the Members
533 intranet module. Any key specified must correspond to a "flag"
534 in the userflags table. E.g., { circulate => 1 } would specify
535 that the user must have the "circulate" privilege in order to
536 proceed. To make sure that access control is correct, the
537 C<$flagsrequired> parameter must be specified correctly.
538
539 Koha also has a concept of sub-permissions, also known as
540 granular permissions.  This makes the value of each key
541 in the C<flagsrequired> hash take on an additional
542 meaning, i.e.,
543
544  1
545
546 The user must have access to all subfunctions of the module
547 specified by the hash key.
548
549  *
550
551 The user must have access to at least one subfunction of the module
552 specified by the hash key.
553
554  specific permission, e.g., 'export_catalog'
555
556 The user must have access to the specific subfunction list, which
557 must correspond to a row in the permissions table.
558
559 The C<$type> argument specifies whether the template should be
560 retrieved from the opac or intranet directory tree.  "opac" is
561 assumed if it is not specified; however, if C<$type> is specified,
562 "intranet" is assumed if it is not "opac".
563
564 If C<$query> does not have a valid session ID associated with it
565 (i.e., the user has not logged in) or if the session has expired,
566 C<&checkauth> presents the user with a login page (from the point of
567 view of the original script, C<&checkauth> does not return). Once the
568 user has authenticated, C<&checkauth> restarts the original script
569 (this time, C<&checkauth> returns).
570
571 The login page is provided using a HTML::Template, which is set in the
572 systempreferences table or at the top of this file. The variable C<$type>
573 selects which template to use, either the opac or the intranet
574 authentification template.
575
576 C<&checkauth> returns a user ID, a cookie, and a session ID. The
577 cookie should be sent back to the browser; it verifies that the user
578 has authenticated.
579
580 =cut
581
582 sub _version_check {
583     my $type = shift;
584     my $query = shift;
585     my $version;
586     # If Version syspref is unavailable, it means Koha is beeing installed,
587     # and so we must redirect to OPAC maintenance page or to the WebInstaller
588     # also, if OpacMaintenance is ON, OPAC should redirect to maintenance
589     if (C4::Context->preference('OpacMaintenance') && $type eq 'opac') {
590         warn "OPAC Install required, redirecting to maintenance";
591         print $query->redirect("/cgi-bin/koha/maintenance.pl");
592         safe_exit;
593     }
594     unless ( $version = C4::Context->preference('Version') ) {    # assignment, not comparison
595         if ( $type ne 'opac' ) {
596             warn "Install required, redirecting to Installer";
597             print $query->redirect("/cgi-bin/koha/installer/install.pl");
598         } else {
599             warn "OPAC Install required, redirecting to maintenance";
600             print $query->redirect("/cgi-bin/koha/maintenance.pl");
601         }
602         safe_exit;
603     }
604
605     # check that database and koha version are the same
606     # there is no DB version, it's a fresh install,
607     # go to web installer
608     # there is a DB version, compare it to the code version
609     my $kohaversion=C4::Context::KOHAVERSION;
610     # remove the 3 last . to have a Perl number
611     $kohaversion =~ s/(.*\..*)\.(.*)\.(.*)/$1$2$3/;
612     $debug and print STDERR "kohaversion : $kohaversion\n";
613     if ($version < $kohaversion){
614         my $warning = "Database update needed, redirecting to %s. Database is $version and Koha is $kohaversion";
615         if ($type ne 'opac'){
616             warn sprintf($warning, 'Installer');
617             print $query->redirect("/cgi-bin/koha/installer/install.pl?step=3");
618         } else {
619             warn sprintf("OPAC: " . $warning, 'maintenance');
620             print $query->redirect("/cgi-bin/koha/maintenance.pl");
621         }
622         safe_exit;
623     }
624 }
625
626 sub _session_log {
627     (@_) or return 0;
628     open my $fh, '>>', "/tmp/sessionlog" or warn "ERROR: Cannot append to /tmp/sessionlog";
629     printf $fh join("\n",@_);
630     close $fh;
631 }
632
633 sub _timeout_syspref {
634     my $timeout = C4::Context->preference('timeout') || 600;
635     # value in days, convert in seconds
636     if ($timeout =~ /(\d+)[dD]/) {
637         $timeout = $1 * 86400;
638     };
639     return $timeout;
640 }
641
642 sub checkauth {
643     my $query = shift;
644     $debug and warn "Checking Auth";
645     # $authnotrequired will be set for scripts which will run without authentication
646     my $authnotrequired = shift;
647     my $flagsrequired   = shift;
648     my $type            = shift;
649     my $persona         = shift;
650     $type = 'opac' unless $type;
651
652     my $dbh     = C4::Context->dbh;
653     my $timeout = _timeout_syspref();
654
655     _version_check($type,$query);
656     # state variables
657     my $loggedin = 0;
658     my %info;
659     my ( $userid, $cookie, $sessionID, $flags, $barshelves, $pubshelves );
660     my $logout = $query->param('logout.x');
661
662     my $anon_search_history;
663
664     # This parameter is the name of the CAS server we want to authenticate against,
665     # when using authentication against multiple CAS servers, as configured in Auth_cas_servers.yaml
666     my $casparam = $query->param('cas');
667     my $q_userid = $query->param('userid') // '';
668
669     if ( $userid = $ENV{'REMOTE_USER'} ) {
670             # Using Basic Authentication, no cookies required
671         $cookie = $query->cookie(
672             -name     => 'CGISESSID',
673             -value    => '',
674             -expires  => '',
675             -HttpOnly => 1,
676         );
677         $loggedin = 1;
678     }
679     elsif ( $persona ){
680       # we dont want to set a session because we are being called by a persona callback
681     }
682     elsif ( $sessionID = $query->cookie("CGISESSID") )
683     {    # assignment, not comparison
684         my $session = get_session($sessionID);
685         C4::Context->_new_userenv($sessionID);
686         my ($ip, $lasttime, $sessiontype);
687         my $s_userid = '';
688         if ($session){
689             $s_userid = $session->param('id') // '';
690             C4::Context::set_userenv(
691                 $session->param('number'),       $s_userid,
692                 $session->param('cardnumber'),   $session->param('firstname'),
693                 $session->param('surname'),      $session->param('branch'),
694                 $session->param('branchname'),   $session->param('flags'),
695                 $session->param('emailaddress'), $session->param('branchprinter'),
696                 $session->param('persona')
697             );
698             C4::Context::set_shelves_userenv('bar',$session->param('barshelves'));
699             C4::Context::set_shelves_userenv('pub',$session->param('pubshelves'));
700             C4::Context::set_shelves_userenv('tot',$session->param('totshelves'));
701             $debug and printf STDERR "AUTH_SESSION: (%s)\t%s %s - %s\n", map {$session->param($_)} qw(cardnumber firstname surname branch) ;
702             $ip       = $session->param('ip');
703             $lasttime = $session->param('lasttime');
704             $userid   = $s_userid;
705             $sessiontype = $session->param('sessiontype') || '';
706         }
707         if ( ( $query->param('koha_login_context') && ($q_userid ne $s_userid) )
708           || ( $cas && $query->param('ticket') ) ) {
709             #if a user enters an id ne to the id in the current session, we need to log them in...
710             #first we need to clear the anonymous session...
711             $debug and warn "query id = $q_userid but session id = $s_userid";
712             $anon_search_history = $session->param('search_history');
713             $session->delete();
714             $session->flush;
715             C4::Context->_unset_userenv($sessionID);
716             $sessionID = undef;
717             $userid = undef;
718         }
719         elsif ($logout) {
720             # voluntary logout the user
721             $session->delete();
722             $session->flush;
723             C4::Context->_unset_userenv($sessionID);
724             #_session_log(sprintf "%20s from %16s logged out at %30s (manually).\n", $userid,$ip,(strftime "%c",localtime));
725             $sessionID = undef;
726             $userid    = undef;
727
728         if ($cas and $caslogout) {
729         logout_cas($query);
730         }
731         }
732         elsif ( !$lasttime || ($lasttime < time() - $timeout) ) {
733             # timed logout
734             $info{'timed_out'} = 1;
735             if ($session) {
736                 $session->delete();
737                 $session->flush;
738             }
739             C4::Context->_unset_userenv($sessionID);
740             #_session_log(sprintf "%20s from %16s logged out at %30s (inactivity).\n", $userid,$ip,(strftime "%c",localtime));
741             $userid    = undef;
742             $sessionID = undef;
743         }
744         elsif ( $ip ne $ENV{'REMOTE_ADDR'} ) {
745             # Different ip than originally logged in from
746             $info{'oldip'}        = $ip;
747             $info{'newip'}        = $ENV{'REMOTE_ADDR'};
748             $info{'different_ip'} = 1;
749             $session->delete();
750             $session->flush;
751             C4::Context->_unset_userenv($sessionID);
752             #_session_log(sprintf "%20s from %16s logged out at %30s (ip changed to %16s).\n", $userid,$ip,(strftime "%c",localtime), $info{'newip'});
753             $sessionID = undef;
754             $userid    = undef;
755         }
756         else {
757             $cookie = $query->cookie(
758                 -name     => 'CGISESSID',
759                 -value    => $session->id,
760                 -HttpOnly => 1
761             );
762             $session->param( 'lasttime', time() );
763             unless ( $sessiontype && $sessiontype eq 'anon' ) { #if this is an anonymous session, we want to update the session, but not behave as if they are logged in...
764                 $flags = haspermission($userid, $flagsrequired);
765                 if ($flags) {
766                     $loggedin = 1;
767                 } else {
768                     $info{'nopermission'} = 1;
769                 }
770             }
771         }
772     }
773     unless ($userid || $sessionID) {
774
775         #we initiate a session prior to checking for a username to allow for anonymous sessions...
776         my $session = get_session("") or die "Auth ERROR: Cannot get_session()";
777
778         # Save anonymous search history in new session so it can be retrieved
779         # by get_template_and_user to store it in user's search history after
780         # a successful login.
781         if ($anon_search_history) {
782             $session->param('search_history', $anon_search_history);
783         }
784
785         my $sessionID = $session->id;
786         C4::Context->_new_userenv($sessionID);
787         $cookie = $query->cookie(
788             -name     => 'CGISESSID',
789             -value    => $session->id,
790             -HttpOnly => 1
791         );
792         $userid = $q_userid;
793         my $pki_field = C4::Context->preference('AllowPKIAuth');
794         if (! defined($pki_field) ) {
795             print STDERR "ERROR: Missing system preference AllowPKIAuth.\n";
796             $pki_field = 'None';
797         }
798         if (   ( $cas && $query->param('ticket') )
799             || $userid
800             || $pki_field ne 'None'
801             || $persona )
802         {
803             my $password = $query->param('password');
804
805             my ( $return, $cardnumber );
806             if ( $cas && $query->param('ticket') ) {
807                 my $retuserid;
808                 ( $return, $cardnumber, $retuserid ) =
809                   checkpw( $dbh, $userid, $password, $query );
810                 $userid = $retuserid;
811                 $info{'invalidCasLogin'} = 1 unless ($return);
812             }
813
814     elsif ($persona) {
815         my $value = $persona;
816
817         # If we're looking up the email, there's a chance that the person
818         # doesn't have a userid. So if there is none, we pass along the
819         # borrower number, and the bits of code that need to know the user
820         # ID will have to be smart enough to handle that.
821         require C4::Members;
822         my @users_info = C4::Members::GetBorrowersWithEmail($value);
823         if (@users_info) {
824
825             # First the userid, then the borrowernum
826             $value = $users_info[0][1] || $users_info[0][0];
827         }
828         else {
829             undef $value;
830         }
831         $return = $value ? 1 : 0;
832         $userid = $value;
833     }
834
835     elsif (
836                 ( $pki_field eq 'Common Name' && $ENV{'SSL_CLIENT_S_DN_CN'} )
837                 || (   $pki_field eq 'emailAddress'
838                     && $ENV{'SSL_CLIENT_S_DN_Email'} )
839               )
840             {
841                 my $value;
842                 if ( $pki_field eq 'Common Name' ) {
843                     $value = $ENV{'SSL_CLIENT_S_DN_CN'};
844                 }
845                 elsif ( $pki_field eq 'emailAddress' ) {
846                     $value = $ENV{'SSL_CLIENT_S_DN_Email'};
847
848               # If we're looking up the email, there's a chance that the person
849               # doesn't have a userid. So if there is none, we pass along the
850               # borrower number, and the bits of code that need to know the user
851               # ID will have to be smart enough to handle that.
852                     require C4::Members;
853                     my @users_info = C4::Members::GetBorrowersWithEmail($value);
854                     if (@users_info) {
855
856                         # First the userid, then the borrowernum
857                         $value = $users_info[0][1] || $users_info[0][0];
858                     } else {
859                         undef $value;
860                     }
861                 }
862
863
864                 $return = $value ? 1 : 0;
865                 $userid = $value;
866
867     }
868             else {
869                 my $retuserid;
870                 ( $return, $cardnumber, $retuserid ) =
871                   checkpw( $dbh, $userid, $password, $query );
872                 $userid = $retuserid if ( $retuserid );
873         }
874         if ($return) {
875                #_session_log(sprintf "%20s from %16s logged in  at %30s.\n", $userid,$ENV{'REMOTE_ADDR'},(strftime '%c', localtime));
876                 if ( $flags = haspermission(  $userid, $flagsrequired ) ) {
877                     $loggedin = 1;
878                 }
879                    else {
880                     $info{'nopermission'} = 1;
881                     C4::Context->_unset_userenv($sessionID);
882                 }
883                 my ($borrowernumber, $firstname, $surname, $userflags,
884                     $branchcode, $branchname, $branchprinter, $emailaddress);
885
886                 if ( $return == 1 ) {
887                     my $select = "
888                     SELECT borrowernumber, firstname, surname, flags, borrowers.branchcode,
889                     branches.branchname    as branchname,
890                     branches.branchprinter as branchprinter,
891                     email
892                     FROM borrowers
893                     LEFT JOIN branches on borrowers.branchcode=branches.branchcode
894                     ";
895                     my $sth = $dbh->prepare("$select where userid=?");
896                     $sth->execute($userid);
897                     unless ($sth->rows) {
898                         $debug and print STDERR "AUTH_1: no rows for userid='$userid'\n";
899                         $sth = $dbh->prepare("$select where cardnumber=?");
900                         $sth->execute($cardnumber);
901
902                         unless ($sth->rows) {
903                             $debug and print STDERR "AUTH_2a: no rows for cardnumber='$cardnumber'\n";
904                             $sth->execute($userid);
905                             unless ($sth->rows) {
906                                 $debug and print STDERR "AUTH_2b: no rows for userid='$userid' AS cardnumber\n";
907                             }
908                         }
909                     }
910                     if ($sth->rows) {
911                         ($borrowernumber, $firstname, $surname, $userflags,
912                             $branchcode, $branchname, $branchprinter, $emailaddress) = $sth->fetchrow;
913                         $debug and print STDERR "AUTH_3 results: " .
914                         "$cardnumber,$borrowernumber,$userid,$firstname,$surname,$userflags,$branchcode,$emailaddress\n";
915                     } else {
916                         print STDERR "AUTH_3: no results for userid='$userid', cardnumber='$cardnumber'.\n";
917                     }
918
919 # launch a sequence to check if we have a ip for the branch, i
920 # if we have one we replace the branchcode of the userenv by the branch bound in the ip.
921
922                     my $ip       = $ENV{'REMOTE_ADDR'};
923                     # if they specify at login, use that
924                     if ($query->param('branch')) {
925                         $branchcode  = $query->param('branch');
926                         $branchname = GetBranchName($branchcode);
927                     }
928                     my $branches = GetBranches();
929                     if (C4::Context->boolean_preference('IndependentBranches') && C4::Context->boolean_preference('Autolocation')){
930                         # we have to check they are coming from the right ip range
931                         my $domain = $branches->{$branchcode}->{'branchip'};
932                         if ($ip !~ /^$domain/){
933                             $loggedin=0;
934                             $info{'wrongip'} = 1;
935                         }
936                     }
937
938                     my @branchesloop;
939                     foreach my $br ( keys %$branches ) {
940                         #     now we work with the treatment of ip
941                         my $domain = $branches->{$br}->{'branchip'};
942                         if ( $domain && $ip =~ /^$domain/ ) {
943                             $branchcode = $branches->{$br}->{'branchcode'};
944
945                             # new op dev : add the branchprinter and branchname in the cookie
946                             $branchprinter = $branches->{$br}->{'branchprinter'};
947                             $branchname    = $branches->{$br}->{'branchname'};
948                         }
949                     }
950                     $session->param('number',$borrowernumber);
951                     $session->param('id',$userid);
952                     $session->param('cardnumber',$cardnumber);
953                     $session->param('firstname',$firstname);
954                     $session->param('surname',$surname);
955                     $session->param('branch',$branchcode);
956                     $session->param('branchname',$branchname);
957                     $session->param('flags',$userflags);
958                     $session->param('emailaddress',$emailaddress);
959                     $session->param('ip',$session->remote_addr());
960                     $session->param('lasttime',time());
961                     $debug and printf STDERR "AUTH_4: (%s)\t%s %s - %s\n", map {$session->param($_)} qw(cardnumber firstname surname branch) ;
962                 }
963                 elsif ( $return == 2 ) {
964                     #We suppose the user is the superlibrarian
965                     $borrowernumber = 0;
966                     $session->param('number',0);
967                     $session->param('id',C4::Context->config('user'));
968                     $session->param('cardnumber',C4::Context->config('user'));
969                     $session->param('firstname',C4::Context->config('user'));
970                     $session->param('surname',C4::Context->config('user'));
971                     $session->param('branch','NO_LIBRARY_SET');
972                     $session->param('branchname','NO_LIBRARY_SET');
973                     $session->param('flags',1);
974                     $session->param('emailaddress', C4::Context->preference('KohaAdminEmailAddress'));
975                     $session->param('ip',$session->remote_addr());
976                     $session->param('lasttime',time());
977                 }
978                 if ($persona){
979                     $session->param('persona',1);
980                 }
981                 C4::Context::set_userenv(
982                     $session->param('number'),       $session->param('id'),
983                     $session->param('cardnumber'),   $session->param('firstname'),
984                     $session->param('surname'),      $session->param('branch'),
985                     $session->param('branchname'),   $session->param('flags'),
986                     $session->param('emailaddress'), $session->param('branchprinter'),
987                     $session->param('persona')
988                 );
989
990             }
991             else {
992                 if ($userid) {
993                     $info{'invalid_username_or_password'} = 1;
994                     C4::Context->_unset_userenv($sessionID);
995                 }
996                 $session->param('lasttime',time());
997                 $session->param('ip',$session->remote_addr());
998             }
999         }    # END if ( $userid    = $query->param('userid') )
1000         elsif ($type eq "opac") {
1001             # if we are here this is an anonymous session; add public lists to it and a few other items...
1002             # anonymous sessions are created only for the OPAC
1003             $debug and warn "Initiating an anonymous session...";
1004
1005             # setting a couple of other session vars...
1006             $session->param('ip',$session->remote_addr());
1007             $session->param('lasttime',time());
1008             $session->param('sessiontype','anon');
1009         }
1010     }    # END unless ($userid)
1011
1012     # finished authentification, now respond
1013     if ( $loggedin || $authnotrequired )
1014     {
1015         # successful login
1016         unless ($cookie) {
1017             $cookie = $query->cookie(
1018                 -name     => 'CGISESSID',
1019                 -value    => '',
1020                 -HttpOnly => 1
1021             );
1022         }
1023         return ( $userid, $cookie, $sessionID, $flags );
1024     }
1025
1026 #
1027 #
1028 # AUTH rejected, show the login/password template, after checking the DB.
1029 #
1030 #
1031
1032     # get the inputs from the incoming query
1033     my @inputs = ();
1034     foreach my $name ( param $query) {
1035         (next) if ( $name eq 'userid' || $name eq 'password' || $name eq 'ticket' );
1036         my $value = $query->param($name);
1037         push @inputs, { name => $name, value => $value };
1038     }
1039
1040     my $LibraryNameTitle = C4::Context->preference("LibraryName");
1041     $LibraryNameTitle =~ s/<(?:\/?)(?:br|p)\s*(?:\/?)>/ /sgi;
1042     $LibraryNameTitle =~ s/<(?:[^<>'"]|'(?:[^']*)'|"(?:[^"]*)")*>//sg;
1043
1044     my $template_name = ( $type eq 'opac' ) ? 'opac-auth.tmpl' : 'auth.tmpl';
1045     my $template = C4::Templates::gettemplate($template_name, $type, $query );
1046     $template->param(
1047         branchloop           => GetBranchesLoop(),
1048         opaccolorstylesheet  => C4::Context->preference("opaccolorstylesheet"),
1049         opaclayoutstylesheet => C4::Context->preference("opaclayoutstylesheet"),
1050         login                => 1,
1051         INPUTS               => \@inputs,
1052         casAuthentication    => C4::Context->preference("casAuthentication"),
1053         suggestion           => C4::Context->preference("suggestion"),
1054         virtualshelves       => C4::Context->preference("virtualshelves"),
1055         LibraryName          => "" . C4::Context->preference("LibraryName"),
1056         LibraryNameTitle     => "" . $LibraryNameTitle,
1057         opacuserlogin        => C4::Context->preference("opacuserlogin"),
1058         OpacNav              => C4::Context->preference("OpacNav"),
1059         OpacNavRight         => C4::Context->preference("OpacNavRight"),
1060         OpacNavBottom        => C4::Context->preference("OpacNavBottom"),
1061         opaccredits          => C4::Context->preference("opaccredits"),
1062         OpacFavicon          => C4::Context->preference("OpacFavicon"),
1063         opacreadinghistory   => C4::Context->preference("opacreadinghistory"),
1064         opacsmallimage       => C4::Context->preference("opacsmallimage"),
1065         opaclanguagesdisplay => C4::Context->preference("opaclanguagesdisplay"),
1066         opacuserjs           => C4::Context->preference("opacuserjs"),
1067         opacbookbag          => "" . C4::Context->preference("opacbookbag"),
1068         OpacCloud            => C4::Context->preference("OpacCloud"),
1069         OpacTopissue         => C4::Context->preference("OpacTopissue"),
1070         OpacAuthorities      => C4::Context->preference("OpacAuthorities"),
1071         OpacBrowser          => C4::Context->preference("OpacBrowser"),
1072         opacheader           => C4::Context->preference("opacheader"),
1073         TagsEnabled          => C4::Context->preference("TagsEnabled"),
1074         OPACUserCSS           => C4::Context->preference("OPACUserCSS"),
1075         intranetcolorstylesheet => C4::Context->preference("intranetcolorstylesheet"),
1076         intranetstylesheet => C4::Context->preference("intranetstylesheet"),
1077         intranetbookbag    => C4::Context->preference("intranetbookbag"),
1078         IntranetNav        => C4::Context->preference("IntranetNav"),
1079         IntranetFavicon    => C4::Context->preference("IntranetFavicon"),
1080         intranetuserjs     => C4::Context->preference("intranetuserjs"),
1081         IndependentBranches=> C4::Context->preference("IndependentBranches"),
1082         AutoLocation       => C4::Context->preference("AutoLocation"),
1083         wrongip            => $info{'wrongip'},
1084         PatronSelfRegistration => C4::Context->preference("PatronSelfRegistration"),
1085         PatronSelfRegistrationDefaultCategory => C4::Context->preference("PatronSelfRegistrationDefaultCategory"),
1086         persona            => C4::Context->preference("Persona"),
1087         opac_css_override => $ENV{'OPAC_CSS_OVERRIDE'},
1088     );
1089
1090     $template->param( OpacPublic => C4::Context->preference("OpacPublic"));
1091     $template->param( loginprompt => 1 ) unless $info{'nopermission'};
1092
1093     if($type eq 'opac'){
1094         my ($total, $pubshelves) = C4::VirtualShelves::GetSomeShelfNames(undef, 'MASTHEAD');
1095         $template->param(
1096             pubshelves     => $total->{pubtotal},
1097             pubshelvesloop => $pubshelves,
1098         );
1099     }
1100
1101     if ($cas) {
1102
1103     # Is authentication against multiple CAS servers enabled?
1104         if (C4::Auth_with_cas::multipleAuth && !$casparam) {
1105         my $casservers = C4::Auth_with_cas::getMultipleAuth();
1106         my @tmplservers;
1107         foreach my $key (keys %$casservers) {
1108         push @tmplservers, {name => $key, value => login_cas_url($query, $key) . "?cas=$key" };
1109         }
1110         $template->param(
1111         casServersLoop => \@tmplservers
1112         );
1113     } else {
1114         $template->param(
1115             casServerUrl    => login_cas_url($query),
1116         );
1117     }
1118
1119     $template->param(
1120             invalidCasLogin => $info{'invalidCasLogin'}
1121         );
1122     }
1123
1124     my $self_url = $query->url( -absolute => 1 );
1125     $template->param(
1126         url         => $self_url,
1127         LibraryName => C4::Context->preference("LibraryName"),
1128     );
1129     $template->param( %info );
1130 #    $cookie = $query->cookie(CGISESSID => $session->id
1131 #   );
1132     print $query->header(
1133         -type   => 'text/html',
1134         -charset => 'utf-8',
1135         -cookie => $cookie
1136       ),
1137       $template->output;
1138     safe_exit;
1139 }
1140
1141 =head2 check_api_auth
1142
1143   ($status, $cookie, $sessionId) = check_api_auth($query, $userflags);
1144
1145 Given a CGI query containing the parameters 'userid' and 'password' and/or a session
1146 cookie, determine if the user has the privileges specified by C<$userflags>.
1147
1148 C<check_api_auth> is is meant for authenticating users of web services, and
1149 consequently will always return and will not attempt to redirect the user
1150 agent.
1151
1152 If a valid session cookie is already present, check_api_auth will return a status
1153 of "ok", the cookie, and the Koha session ID.
1154
1155 If no session cookie is present, check_api_auth will check the 'userid' and 'password
1156 parameters and create a session cookie and Koha session if the supplied credentials
1157 are OK.
1158
1159 Possible return values in C<$status> are:
1160
1161 =over
1162
1163 =item "ok" -- user authenticated; C<$cookie> and C<$sessionid> have valid values.
1164
1165 =item "failed" -- credentials are not correct; C<$cookie> and C<$sessionid> are undef
1166
1167 =item "maintenance" -- DB is in maintenance mode; no login possible at the moment
1168
1169 =item "expired -- session cookie has expired; API user should resubmit userid and password
1170
1171 =back
1172
1173 =cut
1174
1175 sub check_api_auth {
1176     my $query = shift;
1177     my $flagsrequired = shift;
1178
1179     my $dbh     = C4::Context->dbh;
1180     my $timeout = _timeout_syspref();
1181
1182     unless (C4::Context->preference('Version')) {
1183         # database has not been installed yet
1184         return ("maintenance", undef, undef);
1185     }
1186     my $kohaversion=C4::Context::KOHAVERSION;
1187     $kohaversion =~ s/(.*\..*)\.(.*)\.(.*)/$1$2$3/;
1188     if (C4::Context->preference('Version') < $kohaversion) {
1189         # database in need of version update; assume that
1190         # no API should be called while databsae is in
1191         # this condition.
1192         return ("maintenance", undef, undef);
1193     }
1194
1195     # FIXME -- most of what follows is a copy-and-paste
1196     # of code from checkauth.  There is an obvious need
1197     # for refactoring to separate the various parts of
1198     # the authentication code, but as of 2007-11-19 this
1199     # is deferred so as to not introduce bugs into the
1200     # regular authentication code for Koha 3.0.
1201
1202     # see if we have a valid session cookie already
1203     # however, if a userid parameter is present (i.e., from
1204     # a form submission, assume that any current cookie
1205     # is to be ignored
1206     my $sessionID = undef;
1207     unless ($query->param('userid')) {
1208         $sessionID = $query->cookie("CGISESSID");
1209     }
1210     if ($sessionID && not ($cas && $query->param('PT')) ) {
1211         my $session = get_session($sessionID);
1212         C4::Context->_new_userenv($sessionID);
1213         if ($session) {
1214             C4::Context::set_userenv(
1215                 $session->param('number'),       $session->param('id'),
1216                 $session->param('cardnumber'),   $session->param('firstname'),
1217                 $session->param('surname'),      $session->param('branch'),
1218                 $session->param('branchname'),   $session->param('flags'),
1219                 $session->param('emailaddress'), $session->param('branchprinter')
1220             );
1221
1222             my $ip = $session->param('ip');
1223             my $lasttime = $session->param('lasttime');
1224             my $userid = $session->param('id');
1225             if ( $lasttime < time() - $timeout ) {
1226                 # time out
1227                 $session->delete();
1228                 $session->flush;
1229                 C4::Context->_unset_userenv($sessionID);
1230                 $userid    = undef;
1231                 $sessionID = undef;
1232                 return ("expired", undef, undef);
1233             } elsif ( $ip ne $ENV{'REMOTE_ADDR'} ) {
1234                 # IP address changed
1235                 $session->delete();
1236                 $session->flush;
1237                 C4::Context->_unset_userenv($sessionID);
1238                 $userid    = undef;
1239                 $sessionID = undef;
1240                 return ("expired", undef, undef);
1241             } else {
1242                 my $cookie = $query->cookie(
1243                     -name  => 'CGISESSID',
1244                     -value => $session->id,
1245                     -HttpOnly => 1,
1246                 );
1247                 $session->param('lasttime',time());
1248                 my $flags = haspermission($userid, $flagsrequired);
1249                 if ($flags) {
1250                     return ("ok", $cookie, $sessionID);
1251                 } else {
1252                     $session->delete();
1253                     $session->flush;
1254                     C4::Context->_unset_userenv($sessionID);
1255                     $userid    = undef;
1256                     $sessionID = undef;
1257                     return ("failed", undef, undef);
1258                 }
1259             }
1260         } else {
1261             return ("expired", undef, undef);
1262         }
1263     } else {
1264         # new login
1265         my $userid = $query->param('userid');
1266         my $password = $query->param('password');
1267            my ($return, $cardnumber);
1268
1269     # Proxy CAS auth
1270     if ($cas && $query->param('PT')) {
1271         my $retuserid;
1272         $debug and print STDERR "## check_api_auth - checking CAS\n";
1273         # In case of a CAS authentication, we use the ticket instead of the password
1274         my $PT = $query->param('PT');
1275         ($return,$cardnumber,$userid) = check_api_auth_cas($dbh, $PT, $query);    # EXTERNAL AUTH
1276     } else {
1277         # User / password auth
1278         unless ($userid and $password) {
1279         # caller did something wrong, fail the authenticateion
1280         return ("failed", undef, undef);
1281         }
1282         ( $return, $cardnumber ) = checkpw( $dbh, $userid, $password, $query );
1283     }
1284
1285         if ($return and haspermission(  $userid, $flagsrequired)) {
1286             my $session = get_session("");
1287             return ("failed", undef, undef) unless $session;
1288
1289             my $sessionID = $session->id;
1290             C4::Context->_new_userenv($sessionID);
1291             my $cookie = $query->cookie(
1292                 -name  => 'CGISESSID',
1293                 -value => $sessionID,
1294                 -HttpOnly => 1,
1295             );
1296             if ( $return == 1 ) {
1297                 my (
1298                     $borrowernumber, $firstname,  $surname,
1299                     $userflags,      $branchcode, $branchname,
1300                     $branchprinter,  $emailaddress
1301                 );
1302                 my $sth =
1303                   $dbh->prepare(
1304 "select borrowernumber, firstname, surname, flags, borrowers.branchcode, branches.branchname as branchname,branches.branchprinter as branchprinter, email from borrowers left join branches on borrowers.branchcode=branches.branchcode where userid=?"
1305                   );
1306                 $sth->execute($userid);
1307                 (
1308                     $borrowernumber, $firstname,  $surname,
1309                     $userflags,      $branchcode, $branchname,
1310                     $branchprinter,  $emailaddress
1311                 ) = $sth->fetchrow if ( $sth->rows );
1312
1313                 unless ($sth->rows ) {
1314                     my $sth = $dbh->prepare(
1315 "select borrowernumber, firstname, surname, flags, borrowers.branchcode, branches.branchname as branchname, branches.branchprinter as branchprinter, email from borrowers left join branches on borrowers.branchcode=branches.branchcode where cardnumber=?"
1316                       );
1317                     $sth->execute($cardnumber);
1318                     (
1319                         $borrowernumber, $firstname,  $surname,
1320                         $userflags,      $branchcode, $branchname,
1321                         $branchprinter,  $emailaddress
1322                     ) = $sth->fetchrow if ( $sth->rows );
1323
1324                     unless ( $sth->rows ) {
1325                         $sth->execute($userid);
1326                         (
1327                             $borrowernumber, $firstname, $surname, $userflags,
1328                             $branchcode, $branchname, $branchprinter, $emailaddress
1329                         ) = $sth->fetchrow if ( $sth->rows );
1330                     }
1331                 }
1332
1333                 my $ip       = $ENV{'REMOTE_ADDR'};
1334                 # if they specify at login, use that
1335                 if ($query->param('branch')) {
1336                     $branchcode  = $query->param('branch');
1337                     $branchname = GetBranchName($branchcode);
1338                 }
1339                 my $branches = GetBranches();
1340                 my @branchesloop;
1341                 foreach my $br ( keys %$branches ) {
1342                     #     now we work with the treatment of ip
1343                     my $domain = $branches->{$br}->{'branchip'};
1344                     if ( $domain && $ip =~ /^$domain/ ) {
1345                         $branchcode = $branches->{$br}->{'branchcode'};
1346
1347                         # new op dev : add the branchprinter and branchname in the cookie
1348                         $branchprinter = $branches->{$br}->{'branchprinter'};
1349                         $branchname    = $branches->{$br}->{'branchname'};
1350                     }
1351                 }
1352                 $session->param('number',$borrowernumber);
1353                 $session->param('id',$userid);
1354                 $session->param('cardnumber',$cardnumber);
1355                 $session->param('firstname',$firstname);
1356                 $session->param('surname',$surname);
1357                 $session->param('branch',$branchcode);
1358                 $session->param('branchname',$branchname);
1359                 $session->param('flags',$userflags);
1360                 $session->param('emailaddress',$emailaddress);
1361                 $session->param('ip',$session->remote_addr());
1362                 $session->param('lasttime',time());
1363             } elsif ( $return == 2 ) {
1364                 #We suppose the user is the superlibrarian
1365                 $session->param('number',0);
1366                 $session->param('id',C4::Context->config('user'));
1367                 $session->param('cardnumber',C4::Context->config('user'));
1368                 $session->param('firstname',C4::Context->config('user'));
1369                 $session->param('surname',C4::Context->config('user'));
1370                 $session->param('branch','NO_LIBRARY_SET');
1371                 $session->param('branchname','NO_LIBRARY_SET');
1372                 $session->param('flags',1);
1373                 $session->param('emailaddress', C4::Context->preference('KohaAdminEmailAddress'));
1374                 $session->param('ip',$session->remote_addr());
1375                 $session->param('lasttime',time());
1376             }
1377             C4::Context::set_userenv(
1378                 $session->param('number'),       $session->param('id'),
1379                 $session->param('cardnumber'),   $session->param('firstname'),
1380                 $session->param('surname'),      $session->param('branch'),
1381                 $session->param('branchname'),   $session->param('flags'),
1382                 $session->param('emailaddress'), $session->param('branchprinter')
1383             );
1384             return ("ok", $cookie, $sessionID);
1385         } else {
1386             return ("failed", undef, undef);
1387         }
1388     }
1389 }
1390
1391 =head2 check_cookie_auth
1392
1393   ($status, $sessionId) = check_api_auth($cookie, $userflags);
1394
1395 Given a CGISESSID cookie set during a previous login to Koha, determine
1396 if the user has the privileges specified by C<$userflags>.
1397
1398 C<check_cookie_auth> is meant for authenticating special services
1399 such as tools/upload-file.pl that are invoked by other pages that
1400 have been authenticated in the usual way.
1401
1402 Possible return values in C<$status> are:
1403
1404 =over
1405
1406 =item "ok" -- user authenticated; C<$sessionID> have valid values.
1407
1408 =item "failed" -- credentials are not correct; C<$sessionid> are undef
1409
1410 =item "maintenance" -- DB is in maintenance mode; no login possible at the moment
1411
1412 =item "expired -- session cookie has expired; API user should resubmit userid and password
1413
1414 =back
1415
1416 =cut
1417
1418 sub check_cookie_auth {
1419     my $cookie = shift;
1420     my $flagsrequired = shift;
1421
1422     my $dbh     = C4::Context->dbh;
1423     my $timeout = _timeout_syspref();
1424
1425     unless (C4::Context->preference('Version')) {
1426         # database has not been installed yet
1427         return ("maintenance", undef);
1428     }
1429     my $kohaversion=C4::Context::KOHAVERSION;
1430     $kohaversion =~ s/(.*\..*)\.(.*)\.(.*)/$1$2$3/;
1431     if (C4::Context->preference('Version') < $kohaversion) {
1432         # database in need of version update; assume that
1433         # no API should be called while databsae is in
1434         # this condition.
1435         return ("maintenance", undef);
1436     }
1437
1438     # FIXME -- most of what follows is a copy-and-paste
1439     # of code from checkauth.  There is an obvious need
1440     # for refactoring to separate the various parts of
1441     # the authentication code, but as of 2007-11-23 this
1442     # is deferred so as to not introduce bugs into the
1443     # regular authentication code for Koha 3.0.
1444
1445     # see if we have a valid session cookie already
1446     # however, if a userid parameter is present (i.e., from
1447     # a form submission, assume that any current cookie
1448     # is to be ignored
1449     unless (defined $cookie and $cookie) {
1450         return ("failed", undef);
1451     }
1452     my $sessionID = $cookie;
1453     my $session = get_session($sessionID);
1454     C4::Context->_new_userenv($sessionID);
1455     if ($session) {
1456         C4::Context::set_userenv(
1457             $session->param('number'),       $session->param('id'),
1458             $session->param('cardnumber'),   $session->param('firstname'),
1459             $session->param('surname'),      $session->param('branch'),
1460             $session->param('branchname'),   $session->param('flags'),
1461             $session->param('emailaddress'), $session->param('branchprinter')
1462         );
1463
1464         my $ip = $session->param('ip');
1465         my $lasttime = $session->param('lasttime');
1466         my $userid = $session->param('id');
1467         if ( $lasttime < time() - $timeout ) {
1468             # time out
1469             $session->delete();
1470             $session->flush;
1471             C4::Context->_unset_userenv($sessionID);
1472             $userid    = undef;
1473             $sessionID = undef;
1474             return ("expired", undef);
1475         } elsif ( $ip ne $ENV{'REMOTE_ADDR'} ) {
1476             # IP address changed
1477             $session->delete();
1478             $session->flush;
1479             C4::Context->_unset_userenv($sessionID);
1480             $userid    = undef;
1481             $sessionID = undef;
1482             return ("expired", undef);
1483         } else {
1484             $session->param('lasttime',time());
1485             my $flags = haspermission($userid, $flagsrequired);
1486             if ($flags) {
1487                 return ("ok", $sessionID);
1488             } else {
1489                 $session->delete();
1490                 $session->flush;
1491                 C4::Context->_unset_userenv($sessionID);
1492                 $userid    = undef;
1493                 $sessionID = undef;
1494                 return ("failed", undef);
1495             }
1496         }
1497     } else {
1498         return ("expired", undef);
1499     }
1500 }
1501
1502 =head2 get_session
1503
1504   use CGI::Session;
1505   my $session = get_session($sessionID);
1506
1507 Given a session ID, retrieve the CGI::Session object used to store
1508 the session's state.  The session object can be used to store
1509 data that needs to be accessed by different scripts during a
1510 user's session.
1511
1512 If the C<$sessionID> parameter is an empty string, a new session
1513 will be created.
1514
1515 =cut
1516
1517 sub get_session {
1518     my $sessionID = shift;
1519     my $storage_method = C4::Context->preference('SessionStorage');
1520     my $dbh = C4::Context->dbh;
1521     my $session;
1522     if ($storage_method eq 'mysql'){
1523         $session = new CGI::Session("driver:MySQL;serializer:yaml;id:md5", $sessionID, {Handle=>$dbh});
1524     }
1525     elsif ($storage_method eq 'Pg') {
1526         $session = new CGI::Session("driver:PostgreSQL;serializer:yaml;id:md5", $sessionID, {Handle=>$dbh});
1527     }
1528     elsif ($storage_method eq 'memcached' && C4::Context->ismemcached){
1529     $session = new CGI::Session("driver:memcached;serializer:yaml;id:md5", $sessionID, { Memcached => C4::Context->memcached } );
1530     }
1531     else {
1532         # catch all defaults to tmp should work on all systems
1533         $session = new CGI::Session("driver:File;serializer:yaml;id:md5", $sessionID, {Directory=>'/tmp'});
1534     }
1535     return $session;
1536 }
1537
1538 sub checkpw {
1539     my ( $dbh, $userid, $password, $query ) = @_;
1540
1541     if ($ldap) {
1542         $debug and print STDERR "## checkpw - checking LDAP\n";
1543         my ($retval,$retcard,$retuserid) = checkpw_ldap(@_);    # EXTERNAL AUTH
1544         ($retval) and return ($retval,$retcard,$retuserid);
1545     }
1546
1547     if ($cas && $query && $query->param('ticket')) {
1548         $debug and print STDERR "## checkpw - checking CAS\n";
1549     # In case of a CAS authentication, we use the ticket instead of the password
1550         my $ticket = $query->param('ticket');
1551         $query->delete('ticket'); # remove ticket to come back to original URL
1552         my ($retval,$retcard,$retuserid) = checkpw_cas($dbh, $ticket, $query);    # EXTERNAL AUTH
1553         ($retval) and return ($retval,$retcard,$retuserid);
1554         return 0;
1555     }
1556
1557     return checkpw_internal(@_)
1558 }
1559
1560 sub checkpw_internal {
1561     my ( $dbh, $userid, $password ) = @_;
1562
1563     if ( $userid && $userid eq C4::Context->config('user') ) {
1564         if ( $password && $password eq C4::Context->config('pass') ) {
1565         # Koha superuser account
1566 #     C4::Context->set_userenv(0,0,C4::Context->config('user'),C4::Context->config('user'),C4::Context->config('user'),"",1);
1567             return 2;
1568         }
1569         else {
1570             return 0;
1571         }
1572     }
1573
1574     my $sth =
1575       $dbh->prepare(
1576 "select password,cardnumber,borrowernumber,userid,firstname,surname,branchcode,flags from borrowers where userid=?"
1577       );
1578     $sth->execute($userid);
1579     if ( $sth->rows ) {
1580         my ( $stored_hash, $cardnumber, $borrowernumber, $userid, $firstname,
1581             $surname, $branchcode, $flags )
1582           = $sth->fetchrow;
1583
1584         if ( checkpw_hash($password, $stored_hash) ) {
1585
1586             C4::Context->set_userenv( "$borrowernumber", $userid, $cardnumber,
1587                 $firstname, $surname, $branchcode, $flags );
1588             return 1, $cardnumber, $userid;
1589         }
1590     }
1591     $sth =
1592       $dbh->prepare(
1593 "select password,cardnumber,borrowernumber,userid, firstname,surname,branchcode,flags from borrowers where cardnumber=?"
1594       );
1595     $sth->execute($userid);
1596     if ( $sth->rows ) {
1597         my ( $stored_hash, $cardnumber, $borrowernumber, $userid, $firstname,
1598             $surname, $branchcode, $flags )
1599           = $sth->fetchrow;
1600
1601         if ( checkpw_hash($password, $stored_hash) ) {
1602
1603             C4::Context->set_userenv( $borrowernumber, $userid, $cardnumber,
1604                 $firstname, $surname, $branchcode, $flags );
1605             return 1, $cardnumber, $userid;
1606         }
1607     }
1608     if (   $userid && $userid eq 'demo'
1609         && "$password" eq 'demo'
1610         && C4::Context->config('demo') )
1611     {
1612
1613 # DEMO => the demo user is allowed to do everything (if demo set to 1 in koha.conf
1614 # some features won't be effective : modify systempref, modify MARC structure,
1615         return 2;
1616     }
1617     return 0;
1618 }
1619
1620 sub checkpw_hash {
1621     my ( $password, $stored_hash ) = @_;
1622
1623     return if $stored_hash eq '!';
1624
1625     # check what encryption algorithm was implemented: Bcrypt - if the hash starts with '$2' it is Bcrypt else md5
1626     my $hash;
1627     if ( substr($stored_hash,0,2) eq '$2') {
1628         $hash = hash_password($password, $stored_hash);
1629     } else {
1630         $hash = md5_base64($password);
1631     }
1632     return $hash eq $stored_hash;
1633 }
1634
1635 =head2 getuserflags
1636
1637     my $authflags = getuserflags($flags, $userid, [$dbh]);
1638
1639 Translates integer flags into permissions strings hash.
1640
1641 C<$flags> is the integer userflags value ( borrowers.userflags )
1642 C<$userid> is the members.userid, used for building subpermissions
1643 C<$authflags> is a hashref of permissions
1644
1645 =cut
1646
1647 sub getuserflags {
1648     my $flags   = shift;
1649     my $userid  = shift;
1650     my $dbh     = @_ ? shift : C4::Context->dbh;
1651     my $userflags;
1652     {
1653         # I don't want to do this, but if someone logs in as the database
1654         # user, it would be preferable not to spam them to death with
1655         # numeric warnings. So, we make $flags numeric.
1656         no warnings 'numeric';
1657         $flags += 0;
1658     }
1659     my $sth = $dbh->prepare("SELECT bit, flag, defaulton FROM userflags");
1660     $sth->execute;
1661
1662     while ( my ( $bit, $flag, $defaulton ) = $sth->fetchrow ) {
1663         if ( ( $flags & ( 2**$bit ) ) || $defaulton ) {
1664             $userflags->{$flag} = 1;
1665         }
1666         else {
1667             $userflags->{$flag} = 0;
1668         }
1669     }
1670     # get subpermissions and merge with top-level permissions
1671     my $user_subperms = get_user_subpermissions($userid);
1672     foreach my $module (keys %$user_subperms) {
1673         next if $userflags->{$module} == 1; # user already has permission for everything in this module
1674         $userflags->{$module} = $user_subperms->{$module};
1675     }
1676
1677     return $userflags;
1678 }
1679
1680 =head2 get_user_subpermissions
1681
1682   $user_perm_hashref = get_user_subpermissions($userid);
1683
1684 Given the userid (note, not the borrowernumber) of a staff user,
1685 return a hashref of hashrefs of the specific subpermissions
1686 accorded to the user.  An example return is
1687
1688  {
1689     tools => {
1690         export_catalog => 1,
1691         import_patrons => 1,
1692     }
1693  }
1694
1695 The top-level hash-key is a module or function code from
1696 userflags.flag, while the second-level key is a code
1697 from permissions.
1698
1699 The results of this function do not give a complete picture
1700 of the functions that a staff user can access; it is also
1701 necessary to check borrowers.flags.
1702
1703 =cut
1704
1705 sub get_user_subpermissions {
1706     my $userid = shift;
1707
1708     my $dbh = C4::Context->dbh;
1709     my $sth = $dbh->prepare("SELECT flag, user_permissions.code
1710                              FROM user_permissions
1711                              JOIN permissions USING (module_bit, code)
1712                              JOIN userflags ON (module_bit = bit)
1713                              JOIN borrowers USING (borrowernumber)
1714                              WHERE userid = ?");
1715     $sth->execute($userid);
1716
1717     my $user_perms = {};
1718     while (my $perm = $sth->fetchrow_hashref) {
1719         $user_perms->{$perm->{'flag'}}->{$perm->{'code'}} = 1;
1720     }
1721     return $user_perms;
1722 }
1723
1724 =head2 get_all_subpermissions
1725
1726   my $perm_hashref = get_all_subpermissions();
1727
1728 Returns a hashref of hashrefs defining all specific
1729 permissions currently defined.  The return value
1730 has the same structure as that of C<get_user_subpermissions>,
1731 except that the innermost hash value is the description
1732 of the subpermission.
1733
1734 =cut
1735
1736 sub get_all_subpermissions {
1737     my $dbh = C4::Context->dbh;
1738     my $sth = $dbh->prepare("SELECT flag, code, description
1739                              FROM permissions
1740                              JOIN userflags ON (module_bit = bit)");
1741     $sth->execute();
1742
1743     my $all_perms = {};
1744     while (my $perm = $sth->fetchrow_hashref) {
1745         $all_perms->{$perm->{'flag'}}->{$perm->{'code'}} = $perm->{'description'};
1746     }
1747     return $all_perms;
1748 }
1749
1750 =head2 haspermission
1751
1752   $flags = ($userid, $flagsrequired);
1753
1754 C<$userid> the userid of the member
1755 C<$flags> is a hashref of required flags like C<$borrower-&lt;{authflags}> 
1756
1757 Returns member's flags or 0 if a permission is not met.
1758
1759 =cut
1760
1761 sub haspermission {
1762     my ($userid, $flagsrequired) = @_;
1763     my $sth = C4::Context->dbh->prepare("SELECT flags FROM borrowers WHERE userid=?");
1764     $sth->execute($userid);
1765     my $row = $sth->fetchrow();
1766     my $flags = getuserflags($row, $userid);
1767     if ( $userid eq C4::Context->config('user') ) {
1768         # Super User Account from /etc/koha.conf
1769         $flags->{'superlibrarian'} = 1;
1770     }
1771     elsif ( $userid eq 'demo' && C4::Context->config('demo') ) {
1772         # Demo user that can do "anything" (demo=1 in /etc/koha.conf)
1773         $flags->{'superlibrarian'} = 1;
1774     }
1775
1776     return $flags if $flags->{superlibrarian};
1777
1778     foreach my $module ( keys %$flagsrequired ) {
1779         my $subperm = $flagsrequired->{$module};
1780         if ($subperm eq '*') {
1781             return 0 unless ( $flags->{$module} == 1 or ref($flags->{$module}) );
1782         } else {
1783             return 0 unless ( $flags->{$module} == 1 or
1784                                 ( ref($flags->{$module}) and
1785                                   exists $flags->{$module}->{$subperm} and
1786                                   $flags->{$module}->{$subperm} == 1
1787                                 )
1788                             );
1789         }
1790     }
1791     return $flags;
1792     #FIXME - This fcn should return the failed permission so a suitable error msg can be delivered.
1793 }
1794
1795
1796 sub getborrowernumber {
1797     my ($userid) = @_;
1798     my $userenv = C4::Context->userenv;
1799     if ( defined( $userenv ) && ref( $userenv ) eq 'HASH' && $userenv->{number} ) {
1800         return $userenv->{number};
1801     }
1802     my $dbh = C4::Context->dbh;
1803     for my $field ( 'userid', 'cardnumber' ) {
1804         my $sth =
1805           $dbh->prepare("select borrowernumber from borrowers where $field=?");
1806         $sth->execute($userid);
1807         if ( $sth->rows ) {
1808             my ($bnumber) = $sth->fetchrow;
1809             return $bnumber;
1810         }
1811     }
1812     return 0;
1813 }
1814
1815 END { }    # module clean-up code here (global destructor)
1816 1;
1817 __END__
1818
1819 =head1 SEE ALSO
1820
1821 CGI(3)
1822
1823 C4::Output(3)
1824
1825 Crypt::Eksblowfish::Bcrypt(3)
1826
1827 Digest::MD5(3)
1828
1829 =cut