Document $conn->check()
[ZOOM-Perl-moved-to-github.git] / lib / ZOOM.pod
1 # $Id: ZOOM.pod,v 1.42 2007-02-26 14:40:01 mike Exp $
2
3 use strict;
4 use warnings;
5
6 =head1 NAME
7
8 ZOOM - Perl extension implementing the ZOOM API for Information Retrieval
9
10 =head1 SYNOPSIS
11
12  use ZOOM;
13  eval {
14      $conn = new ZOOM::Connection($host, $port,
15                                   databaseName => "mydb");
16      $conn->option(preferredRecordSyntax => "usmarc");
17      $rs = $conn->search_pqf('@attr 1=4 dinosaur');
18      $n = $rs->size();
19      print $rs->record(0)->render();
20  };
21  if ($@) {
22      print "Error ", $@->code(), ": ", $@->message(), "\n";
23  }
24
25 =head1 DESCRIPTION
26
27 This module provides a nice, Perlish implementation of the ZOOM
28 Abstract API described and documented at http://zoom.z3950.org/api/
29
30 the ZOOM module is implemented as a set of thin classes on top of the
31 non-OO functions provided by this distribution's C<Net::Z3950::ZOOM>
32 module, which in 
33 turn is a thin layer on top of the ZOOM-C code supplied as part of
34 Index Data's YAZ Toolkit.  Because ZOOM-C is also the underlying code
35 that implements ZOOM bindings in C++, Visual Basic, Scheme, Ruby, .NET
36 (including C#) and other languages, this Perl module works compatibly
37 with those other implementations.  (Of course, the point of a public
38 API such as ZOOM is that all implementations should be compatible
39 anyway; but knowing that the same code is running is reassuring.)
40
41 The ZOOM module provides two enumerations (C<ZOOM::Error> and
42 C<ZOOM::Event>), three utility functions C<diag_str()>, C<event_str()>
43 and C<event()> in the C<ZOOM> package itself, and eight classes:
44 C<ZOOM::Exception>,
45 C<ZOOM::Options>,
46 C<ZOOM::Connection>,
47 C<ZOOM::Query>,
48 C<ZOOM::ResultSet>,
49 C<ZOOM::Record>,
50 C<ZOOM::ScanSet>
51 and
52 C<ZOOM::Package>.
53 Of these, the Query class is abstract, and has four concrete
54 subclasses:
55 C<ZOOM::Query::CQL>,
56 C<ZOOM::Query::PQF>,
57 C<ZOOM::Query::CQL2RPN>
58 and
59 C<ZOOM::Query::CCL2RPN>.
60 Finally, it also provides a
61 C<ZOOM::Query::Log>
62 module which supplies a useful general-purpose logging facility.
63 Many useful ZOOM applications can be built using only the Connection,
64 ResultSet, Record and Exception classes, as in the example
65 code-snippet above.
66
67 A typical application will begin by creating an Connection object,
68 then using that to execute searches that yield ResultSet objects, then
69 fetching records from the result-sets to yield Record objects.  If an
70 error occurs, an Exception object is thrown and can be dealt with.
71
72 More sophisticated applications might also browse the server's indexes
73 to create a ScanSet, from which indexed terms may be retrieved; others
74 might send ``Extended Services'' Packages to the server, to achieve
75 non-standard tasks such as database creation and record update.
76 Searching using a query syntax other than PQF can be done using an
77 query object of one of the Query subclasses.  Finally, sets of options
78 may be manipulated independently of the objects they are associated
79 with using an Options object.
80
81 In general, method calls throw an exception if anything goes wrong, so
82 you don't need to test for success after each call.  See the section
83 below on the Exception class for details.
84
85 =head1 UTILITY FUNCTIONS
86
87 =head2 ZOOM::diag_str()
88
89  $msg = ZOOM::diag_str(ZOOM::Error::INVALID_QUERY);
90
91 Returns a human-readable English-language string corresponding to the
92 error code that is its own parameter.  This works for any error-code
93 returned from
94 C<ZOOM::Exception::code()>,
95 C<ZOOM::Connection::error_x()>
96 or
97 C<ZOOM::Connection::errcode()>,
98 irrespective of whether it is a member of the C<ZOOM::Error>
99 enumeration or drawn from the BIB-1 diagnostic set.
100
101 =head2 ZOOM::event_str()
102
103  $msg = ZOOM::event_str(ZOOM::Event::RECV_APDU);
104
105 Returns a human-readable English-language string corresponding to the
106 event code that is its own parameter.  This works for any value of the
107 C<ZOOM::Event> enumeration.
108
109 =head2 ZOOM::event()
110
111  $connsRef = [ $conn1, $conn2, $conn3 ];
112  $which = ZOOM::event($connsRef);
113  $ev = $connsRef->[$which-1]->last_event()
114      if ($which != 0);
115
116 Used only in complex asynchronous applications, this function takes a
117 reference to a list of Connection objects, waits until an event
118 occurs on any one of them, and returns an integer indicating which of
119 the connections it occurred on.  The return value is a 1-based index
120 into the list; 0 is returned if no event occurs within the longest
121 timeout specified by the C<timeout> options of all the connections.
122
123 See the section below on asynchronous applications.
124
125 =head1 CLASSES
126
127 The eight ZOOM classes are described here in ``sensible order'':
128 first, the four commonly used classes, in the he order that they will
129 tend to be used in most programs (Connection, ResultSet, Record,
130 Exception); then the four more esoteric classes in descending order of
131 how often they are needed.
132
133 With the exception of the Options class, which is an extension to the
134 ZOOM model, the introduction to each class includes a link to the
135 relevant section of the ZOOM Abstract API.
136
137 =head2 ZOOM::Connection
138
139  $conn = new ZOOM::Connection("indexdata.dk:210/gils");
140  print("server is '", $conn->option("serverImplementationName"), "'\n");
141  $conn->option(preferredRecordSyntax => "usmarc");
142  $rs = $conn->search_pqf('@attr 1=4 mineral');
143  $ss = $conn->scan('@attr 1=1003 a');
144  if ($conn->errcode() != 0) {
145     die("somthing went wrong: " . $conn->errmsg())
146  }
147  $conn->destroy()
148
149 This class represents a connection to an information retrieval server,
150 using an IR protocol such as ANSI/NISO Z39.50, SRW (the
151 Search/Retrieve Webservice), SRU (the Search/Retrieve URL) or
152 OpenSearch.  Not all of these protocols require a low-level connection
153 to be maintained, but the Connection object nevertheless provides a
154 location for the necessary cache of configuration and state
155 information, as well as a uniform API to the connection-oriented
156 facilities (searching, index browsing, etc.), provided by these
157 protocols.
158
159 See the description of the C<Connection> class in the ZOOM Abstract
160 API at
161 http://zoom.z3950.org/api/zoom-current.html#3.2
162
163 =head3 Methods
164
165 =head4 new()
166
167  $conn = new ZOOM::Connection("indexdata.dk", 210);
168  $conn = new ZOOM::Connection("indexdata.dk:210/gils");
169  $conn = new ZOOM::Connection("tcp:indexdata.dk:210/gils");
170  $conn = new ZOOM::Connection("http:indexdata.dk:210/gils");
171  $conn = new ZOOM::Connection("indexdata.dk", 210,
172                                databaseName => "mydb",
173                                preferredRecordSyntax => "marc");
174
175 Creates a new Connection object, and immediately connects it to the
176 specified server.  If you want to make a new Connection object but
177 delay forging the connection, use the C<create()> and C<connect()>
178 methods instead.
179
180 This constructor can be called with two arguments or a single
181 argument.  In the former case, the arguments are the name and port
182 number of the Z39.50 server to connect to; in the latter case, the
183 single argument is a YAZ service-specifier string of the form
184
185 When the two-option form is used (which may be done using a vacuous
186 second argument of zero), any number of additional argument pairs may
187 be provided, which are interpreted as key-value pairs to be set as
188 options after the Connection object is created but before it is
189 connected to the server.  This is a convenient way to set options,
190 including those that must be set before connecting such as
191 authentication tokens.
192
193 The server-name string is of the form:
194
195 =over 4
196
197 =item
198
199 [I<scheme>:]I<host>[:I<port>][/I<databaseName>]
200
201 =back
202
203 In which the I<host> and I<port> parts are as in the two-argument
204 form, the I<databaseName> if provided specifies the name of the
205 database to be used in subsequent searches on this connection, and the
206 optional I<scheme> (default C<tcp>) indicates what protocol should be
207 used.  At present, the following schemes are supported:
208
209 =over 4
210
211 =item tcp
212
213 Z39.50 connection.
214
215 =item ssl
216
217 Z39.50 connection encrypted using SSL (Secure Sockets Layer).  Not
218 many servers support this, but Index Data's Zebra is one that does.
219
220 =item unix
221
222 Z39.50 connection on a Unix-domain (local) socket, in which case the
223 I<hostname> portion of the string is instead used as a filename in the
224 local filesystem.
225
226 =item http
227
228 SRU connection over HTTP.
229
230 =back
231
232 If the C<http> scheme is used, the particular SRU flavour to be used
233 may be specified by the C<sru> option, which takes the following
234 values:
235
236 =over 4
237
238 =item soap
239
240 SRU over SOAP (i.e. what used to be called SRW).
241 This is the default.
242
243 =item get
244
245 "SRU Classic" (i.e. SRU over HTTP GET).
246
247 =item post
248
249 SRU over HTTP POST.
250
251 =back
252
253 If an error occurs, an exception is thrown.  This may indicate a
254 networking problem (e.g. the host is not found or unreachable), or a
255 protocol-level problem (e.g. a Z39.50 server rejected the Init
256 request).
257
258 =head4 create() / connect()
259
260  $options = new ZOOM::Options();
261  $options->option(implementationName => "my client");
262  $options->option(implementationId => 12345);
263  $conn = create ZOOM::Connection($options)
264  # or
265  $conn = create ZOOM::Connection(implementationName => "my client",
266                                  implementationId => 12345);
267
268  $conn->connect($host, 0);
269
270 The usual Connection constructor, C<new()> brings a new object into
271 existence and forges the connection to the server all in one
272 operation, which is often what you want.  For applications that need
273 more control, however, these two methods separate the two steps,
274 allowing additional steps in between such as the setting of options.
275
276 C<create()> creates and returns a new Connection object, which is
277 I<not> connected to any server.  It may be passed an options block, of
278 type C<ZOOM::Options> (see below), into which options may be set
279 before or after the creation of the Connection.  Alternatively and
280 equivalently, C<create()> may be passed a list of key-value option
281 pairs directly.  The connection to the server may then be forged by
282 the C<connect()> method, the arguments of which are the same as those
283 of the C<new()> constructor.
284
285 =head4 error_x() / errcode() / errmsg() / addinfo() / diagset()
286
287  ($errcode, $errmsg, $addinfo, $diagset) = $conn->error_x();
288  $errcode = $conn->errcode();
289  $errmsg = $conn->errmsg();
290  $addinfo = $conn->addinfo();
291  $diagset = $conn->diagset();
292
293 These methods may be used to obtain information about the last error
294 to have occurred on a connection - although typically they will not
295 been used, as the same information is available through the
296 C<ZOOM::Exception> that is thrown when the error occurs.  The
297 C<errcode()>,
298 C<errmsg()>,
299 C<addinfo()>
300 and
301 C<diagset()>
302 methods each return one element of the diagnostic, and
303 C<error_x()>
304 returns all four at once.
305
306 See the C<ZOOM::Exception> for the interpretation of these elements.
307
308 =head4 check()
309
310  $conn->check();
311
312 Checks whether an error is pending on the connection, and throw a
313 C<ZOOM::Exception> object if so.  Since errors are thrown as they
314 occur for synchronous connections, there is no need ever to call this
315 except in asynchronous applications.
316
317 =head4 option() / option_binary()
318
319  print("server is '", $conn->option("serverImplementationName"), "'\n");
320  $conn->option(preferredRecordSyntax => "usmarc");
321  $conn->option_binary(iconBlob => "foo\0bar");
322  die if length($conn->option_binary("iconBlob") != 7);
323
324 Objects of the Connection, ResultSet, ScanSet and Package classes
325 carry with them a set of named options which affect their behaviour in
326 certain ways.  See the ZOOM-C options documentation for details:
327
328 Connection options are listed at
329 http://indexdata.com/yaz/doc/zoom.tkl#zoom.connections
330
331 These options are set and fetched using the C<option()> method, which
332 may be called with either one or two arguments.  In the two-argument
333 form, the option named by the first argument is set to the value of
334 the second argument, and its old value is returned.  In the
335 one-argument form, the value of the specified option is returned.
336
337 For historical reasons, option values are not binary-clean, so that a
338 value containing a NUL byte will be returned in truncated form.  The
339 C<option_binary()> method behaves identically to C<option()> except
340 that it is binary-clean, so that values containing NUL bytes are set
341 and returned correctly.
342
343 =head4 search() / search_pqf()
344
345  $rs = $conn->search(new ZOOM::Query::CQL('title=dinosaur'));
346  # The next two lines are equivalent
347  $rs = $conn->search(new ZOOM::Query::PQF('@attr 1=4 dinosaur'));
348  $rs = $conn->search_pqf('@attr 1=4 dinosaur');
349
350 The principal purpose of a search-and-retrieve protocol is searching
351 (and, er, retrieval), so the principal method used on a Connection
352 object is C<search()>.  It accepts a single argument, a C<ZOOM::Query>
353 object (or, more precisely, an object of a subclass of this class);
354 and it creates and returns a new ResultSet object representing the set
355 of records resulting from the search.
356
357 Since queries using PQF (Prefix Query Format) are so common, we make
358 them a special case by providing a C<search_pqf()> method.  This is
359 identical to C<search()> except that it accepts a string containing
360 the query rather than an object, thereby obviating the need to create
361 a C<ZOOM::Query::PQF> object.  See the documentation of that class for
362 information about PQF.
363
364 =head4 scan() / scan_pqf()
365
366  $rs = $conn->scan(new ZOOM::Query::CQL('title=dinosaur'));
367  # The next two lines are equivalent
368  $rs = $conn->scan(new ZOOM::Query::PQF('@attr 1=4 dinosaur'));
369  $rs = $conn->scan_pqf('@attr 1=4 dinosaur');
370
371 Many Z39.50 servers allow you to browse their indexes to find terms to
372 search for.  This is done using the C<scan> method, which creates and
373 returns a new ScanSet object representing the set of terms resulting
374 from the scan.
375
376 C<scan()> takes a single argument, but it has to work hard: it
377 specifies both what index to scan for terms, and where in the index to
378 start scanning.  What's more, the specification of what index to scan
379 includes multiple facets, such as what database fields it's an index
380 of (author, subject, title, etc.) and whether to scan for whole fields
381 or single words (e.g. the title ``I<The Empire Strikes Back>'', or the
382 four words ``Back'', ``Empire'', ``Strikes'' and ``The'', interleaved
383 with words from other titles in the same index.
384
385 All of this is done by using a Query object representing a query of a
386 single term as the C<scan()> argument.  The attributes associated with
387 the term indicate which index is to be used, and the term itself
388 indicates the point in the index at which to start the scan.  For
389 example, if the argument is the query C<@attr 1=4 fish>, then
390
391 =over 4
392
393 =item @attr 1=4
394
395 This is the BIB-1 attribute with type 1 (meaning access-point, which
396 specifies an index), and type 4 (which means ``title'').  So the scan
397 is in the title index.
398
399 =item fish
400
401 Start the scan from the lexicographically earliest term that is equal
402 to or falls after ``fish''.
403
404 =back
405
406 The argument C<@attr 1=4 @attr 6=3 fish> would behave similarly; but
407 the BIB-1 attribute 6=3 mean completeness=``complete field'', so the
408 scan would be for complete titles rather than for words occurring in
409 titles.
410
411 This takes a bit of getting used to.
412
413 The behaviour is C<scan()> is affected by the following options, which
414 may be set on the Connection through which the scan is done:
415
416 =over 4
417
418 =item number [default: 10]
419
420 Indicates how many terms should be returned in the ScanSet.  The
421 number actually returned may be less, if the start-point is near the
422 end of the index, but will not be greater.
423
424 =item position [default: 1]
425
426 A 1-based index specifying where in the returned list of terms the
427 seed-term should appear.  By default it should be the first term
428 returned, but C<position> may be set, for example, to zero (requesting
429 the next terms I<after> the seed-term), or to the same value as
430 C<number> (requesting the index terms I<before> the seed term).
431
432 =item stepSize [default: 0]
433
434 An integer indicating how many indexed terms are to be skipped between
435 each one returned in the ScanSet.  By default, no terms are skipped,
436 but overriding this can be useful to get a high-level overview of the
437 index.
438
439 Since scans using PQF (Prefix Query Format) are so common, we make
440 them a special case by providing a C<scan_pqf()> method.  This is
441 identical to C<scan()> except that it accepts a string containing the
442 query rather than an object, thereby obviating the need to create a
443 C<ZOOM::Query::PQF> object.
444
445 =back
446
447 =head4 package()
448
449  $p = $conn->package();
450  $o = new ZOOM::Options();
451  $o->option(databaseName => "newdb");
452  $p = $conn->package($o);
453
454 Creates and returns a new C<ZOOM::Package>, to be used in invoking an
455 Extended Service.  An options block may optionally be passed in.  See
456 the C<ZOOM::Package> documentation.
457
458 =head4 last_event()
459
460  if ($conn->last_event() == ZOOM::Event::CONNECT) {
461      print "Connected!\n";
462  }
463
464 Returns a C<ZOOM::Event> enumerated value indicating the type of the
465 last event that occurred on the connection.  This is used only in
466 complex asynchronous applications - see the sections below on the
467 C<ZOOM::Event> enumeration and asynchronous applications.
468
469 =head4 destroy()
470
471  $conn->destroy()
472
473 Destroys a Connection object, tearing down any low-level connection
474 associated with it and freeing its resources.  It is an error to reuse
475 a Connection that has been C<destroy()>ed.
476
477 =head2 ZOOM::ResultSet
478
479  $rs = $conn->search_pqf('@attr 1=4 mineral');
480  $n = $rs->size();
481  for $i (1 .. $n) {
482      $rec = $rs->record($i-1);
483      print $rec->render();
484  }
485
486 A ResultSet object represents the set of zero or more records
487 resulting from a search, and is the means whereby these records can be
488 retrieved.  A ResultSet object may maintain client side cache or some,
489 less, none, all or more of the server's records: in general, this is
490 supposed to an implementaton detail of no interest to a typical
491 application, although more sophisticated applications do have
492 facilities for messing with the cache.  Most applications will only
493 need the C<size()>, C<record()> and C<sort()> methods.
494
495 There is no C<new()> method nor any other explicit constructor.  The
496 only way to create a new ResultSet is by using C<search()> (or
497 C<search_pqf()>) on a Connection.
498
499 See the description of the C<Result Set> class in the ZOOM Abstract
500 API at
501 http://zoom.z3950.org/api/zoom-current.html#3.4
502
503 =head3 Methods
504
505 =head4 option()
506
507  $rs->option(elementSetName => "f");
508
509 Allows options to be set into, and read from, a ResultSet, just like
510 the Connection class's C<option()> method.  There is no
511 C<option_binary()> method for ResultSet objects.
512
513 ResultSet options are listed at
514 http://indexdata.com/yaz/doc/zoom.resultsets.tkl
515
516 =head4 size()
517
518  print "Found ", $rs->size(), " records\n";
519
520 Returns the number of records in the result set.
521
522 =head4 record() / record_immediate()
523
524  $rec = $rs->record(0);
525  $rec2 = $rs->record_immediate(0);
526  $rec3 = $rs->record_immediate(1)
527      or print "second record wasn't in cache\n";
528
529 The C<record()> method returns a C<ZOOM::Record> object representing
530 a record from result-set, whose position is indicated by the argument
531 passed in.  This is a zero-based index, so that legitimate values
532 range from zero to C<$rs->size()-1>.
533
534 The C<record_immediate()> API is identical, but it never invokes a
535 network operation, merely returning the record from the ResultSet's
536 cache if it's already there, or an undefined value otherwise.  So if
537 you use this method, B<you must always check the return value>.
538
539 =head4 records()
540
541  $rs->records(0, 10, 0);
542  for $i (0..10) {
543      print $rs->record_immediate($i)->render();
544  }
545
546  @nextseven = $rs->records(10, 7, 1);
547
548 The C<record_immediate()> method only fetches records from the cache,
549 whereas C<record()> fetches them from the server if they have not
550 already been cached; but the ZOOM module has to guess what the most
551 efficient strategy for this is.  It might fetch each record, alone
552 when asked for: that's optimal in an application that's only
553 interested in the top hit from each search, but pessimal for one that
554 wants to display a whole list of results.  Conversely, the software's
555 strategy might be always to ask for blocks of a twenty records:
556 that's great for assembling long lists of things, but wasteful when
557 only one record is wanted.  The problem is that the ZOOM module can't
558 tell, when you call C<$rs->record()>, what your intention is.
559
560 But you can tell it.  The C<records()> method fetches a sequence of
561 records, all in one go.  It takes three arguments: the first is the
562 zero-based index of the first record in the sequence, the second is
563 the number of records to fetch, and the third is a boolean indication
564 of whether or not to return the retrieved records as well as adding
565 them to the cache.  (You can always pass 1 for this if you like, and
566 Perl will discard the unused return value, but there is a small
567 efficiency gain to be had by passing 0.)
568
569 Once the records have been retrieved from the server
570 (i.e. C<records()> has completed without throwing an exception), they
571 can be fetched much more efficiently using C<record()> - or
572 C<record_immediate()>, which is then guaranteed to succeed.
573
574 =head4 cache_reset()
575
576  $rs->cache_reset()
577
578 Resets the ResultSet's record cache, so that subsequent invocations of
579 C<record_immediate()> will fail.  I struggle to imagine a real
580 scenario where you'd want to do this.
581
582 =head4 sort()
583
584  if ($rs->sort("yaz", "1=4 >i 1=21 >s") < 0) {
585      die "sort failed";
586  }
587
588 Sorts the ResultSet in place (discarding any cached records, as they
589 will in general be sorted into a different position).  There are two
590 arguments: the first is a string indicating the type of the
591 sort-specification, and the second is the specification itself.
592
593 The C<sort()> method returns 0 on success, or -1 if the
594 sort-specification is invalid.
595
596 At present, the only supported sort-specification type is C<yaz>.
597 Such a specification consists of a space-separated sequence of keys,
598 each of which itself consists of two space-separated words (so that
599 the total number of words in the sort-specification is even).  The two
600 words making up each key are a field and a set of flags.  The field
601 can take one of two forms: if it contains an C<=> sign, then it is a
602 BIB-1 I<type>=I<value> pair specifying which field to sort
603 (e.g. C<1=4> for a title sort); otherwise it is sent for the server to
604 interpret as best it can.  The word of flags is made up from one or
605 more of the following: C<s> for case sensitive, C<i> for case
606 insensitive; C<<> for ascending order and C<E<gt>> for descending
607 order.
608
609 For example, the sort-specification in the code-fragment above will
610 sort the records in C<$rs> case-insensitively in descending order of
611 title, with records having equivalent titles sorted case-sensitively
612 in ascending order of subject.  (The BIB-1 access points 4 and 21
613 represent title and subject respectively.)
614  
615 =head4 destroy()
616
617  $rs->destroy()
618
619 Destroys a ResultSet object, freeing its resources.  It is an error to
620 reuse a ResultSet that has been C<destroy()>ed.
621
622 =head2 ZOOM::Record
623
624  $rec = $rs->record($i);
625  print $rec->render();
626  $raw = $rec->raw();
627  $marc = new_from_usmarc MARC::Record($raw);
628  print "Record title is: ", $marc->title(), "\n";
629
630 A Record object represents a record that has been retrived from the
631 server.
632
633 There is no C<new()> method nor any other explicit constructor.  The
634 only way to create a new Record is by using C<record()> (or
635 C<record_immediate()>, or C<records()>) on a ResultSet.
636
637 In general, records are ``owned'' by their result-sets that they were
638 retrieved from, so they do not have to be explicitly memory-managed:
639 they are deallocated (and therefore can no longer be used) when the
640 result-set is destroyed.
641
642 See the description of the C<Record> class in the ZOOM Abstract
643 API at
644 http://zoom.z3950.org/api/zoom-current.html#3.5
645
646 =head3 Methods
647
648 =head4 error() / exception()
649
650  if ($rec->error()) {
651      my($code, $msg, $addinfo, $dset) = $rec->error();
652      print "error $code, $msg ($addinfo) from $dset set\n";
653      die $rec->exception();
654  }
655
656 These functions test for surrogate diagnostics associated with a
657 record: that is, errors pertaining to a particular record rather than
658 to the fetch-some-records operation as a whole.  (The latter are known
659 in Z39.50 as non-surrogate diagnostics, and are reported as exceptions
660 thrown by searches.)  If a particular record can't be obtained - for
661 example, because it is not available in the requested record syntax -
662 then the record object obtained from the result-set, when interrogated
663 with these functions, will report the error.
664
665 C<error()> returns the error-code, a human-readable message,
666 additional information and the name of the diagnostic set that the
667 error is from.  When called in a scalar context, it just returns the
668 error-code.  Since error 0 means "no error", it can be used as a
669 boolean has-there-been-an-error indicator.
670
671 C<exception()> returns the same information in the form of a
672 C<ZOOM::Exception> object which may be thrown or rendered.  If no
673 error occurred on the record, then C<exception()> returns an undefined
674 value.
675
676 =head4 render()
677
678  print $rec->render();
679  print $rec->render("charset=latin1,utf8");
680
681 Returns a human-readable representation of the record.  Beyond that,
682 no promises are made: careful programs should not make assumptions
683 about the format of the returned string.
684
685 If the optional argument is provided, then it is interpreted as in the
686 C<get()> method (q.v.)
687
688 This method is useful mostly for debugging.
689
690 =head4 raw()
691
692  use MARC::Record;
693  $raw = $rec->raw();
694  $marc = new_from_usmarc MARC::Record($raw);
695  $trans = $rec->render("charset=latin1,utf8");
696
697 Returns an opaque blob of data that is the raw form of the record.
698 Exactly what this is, and what you can do with it, varies depending on
699 the record-syntax.  For example, XML records will be returned as,
700 well, XML; MARC records will be returned as ISO 2709-encoded blocks
701 that can be decoded by software such as the fine C<Marc::Record>
702 module; GRS-1 record will be ... gosh, what an interesting question.
703 But no-one uses GRS-1 any more, do they?
704
705 If the optional argument is provided, then it is interpreted as in the
706 C<get()> method (q.v.)
707
708 =head4 get()
709
710  $raw = $rec->get("raw");
711  $rendered = $rec->get("render");
712  $trans = $rec->get("render;charset=latin1,utf8");
713  $trans = $rec->get("render", "charset=latin1,utf8");
714
715 This is the underlying method used by C<render()> and C<raw()>, and
716 which in turn delegates to the C<ZOOM_record_get()> function of the
717 underlying ZOOM-C library.  Most applications will find it more
718 natural to work with C<render()> and C<raw()>.
719
720 C<get()> may be called with either one or two arguments.  The
721 two-argument form is syntactic sugar: the two arguments are simply
722 joined with a semi-colon to make a single argument, so the third and
723 fourth example invocations above are equivalent.  The second argument
724 (or portion of the first argument following the semicolon) is used in
725 the C<type> argument of C<ZOOM_record_get()>, as described in
726 http://www.indexdata.com/yaz/doc/zoom.records.tkl
727 This is useful primarily for invoking the character-set transformation
728 - in the examples above, from ISO Latin-1 to UTF-8 Unicode.
729
730 =head4 clone() / destroy()
731
732  $rec = $rs->record($i);
733  $newrec = $rec->clone();
734  $rs->destroy();
735  print $newrec->render();
736  $newrec->destroy();
737
738 Usually, it's convenient that Record objects are owned by their
739 ResultSets and go away when the ResultSet is destroyed; but
740 occasionally you need a Record to outlive its parent and destroy it
741 later, explicitly.  To do this, C<clone()> the record, keep the new
742 Record object that is returned, and C<destroy()> it when it's no
743 longer needed.  This is B<only> situation in which a Record needs to
744 be destroyed.
745
746 =head2 ZOOM::Exception
747
748 In general, method calls throw an exception (of class
749 C<ZOOM::Exception>) if anything goes wrong, so you don't need to test
750 for success after each call.  Exceptions are caught by enclosing the
751 main code in an C<eval{}> block and checking C<$@> on exit from that
752 block, as in the code-sample above.
753
754 There are a small number of exceptions to this rule: the three
755 record-fetching methods in the C<ZOOM::ResultSet> class,
756 C<record()>,
757 C<record_immediate()>,
758 and
759 C<records()>
760 can all return undefined values for legitimate reasons, under
761 circumstances that do not merit throwing an exception.  For this
762 reason, the return values of these methods should be checked.  See the
763 individual methods' documentation for details.
764
765 An exception carries the following pieces of information:
766
767 =over 4
768
769 =item error-code
770
771 A numeric code that specifies the type of error.  This can be checked
772 for equality with known values, so that intelligent applications can
773 take appropriate action.
774
775 =item error-message
776
777 A human-readable message corresponding with the code.  This can be
778 shown to users, but its value should not be tested, as it could vary
779 in different versions or under different locales.
780
781 =item additional information [optional]
782
783 A string containing information specific to the error-code.  For
784 example, when the error-code is the BIB-1 diagnostic 109 ("Database
785 unavailable"), the additional information is the name of the database
786 that the application tried to use.  For some error-codes, there is no
787 additional information at all; for some others, the additional
788 information is undefined and may just be an human-readable string.
789
790 =item diagnostic set [optional]
791
792 A short string specifying the diagnostic set from which the error-code
793 was drawn: for example, C<ZOOM> for a ZOOM-specific error such as
794 C<ZOOM::Error::MEMORY> ("out of memory"), and C<BIB-1> for a Z39.50
795 error-code drawn from the BIB-1 diagnostic set.
796
797 =back
798
799 In theory, the error-code should be interpreted in the context of the
800 diagnostic set from which it is drawn; in practice, nearly all errors
801 are from either the ZOOM or BIB-1 diagnostic sets, and the codes in
802 those sets have been chosen so as not to overlap, so the diagnostic
803 set can usually be ignored.
804
805 See the description of the C<Exception> class in the ZOOM Abstract
806 API at
807 http://zoom.z3950.org/api/zoom-current.html#3.7
808
809 =head3 Methods
810
811 =head4 new()
812
813  die new ZOOM::Exception($errcode, $errmsg, $addinfo, $diagset);
814
815 Creates and returns a new Exception object with the specified
816 error-code, error-message, additional information and diagnostic set.
817 Applications will not in general need to use this, but may find it
818 useful to simulate ZOOM exceptions.  As is usual with Perl, exceptions
819 are thrown using C<die()>.
820
821 =head4 code() / message() / addinfo() / diagset()
822
823  print "Error ", $@->code(), ": ", $@->message(), "\n";
824  print "(addinfo '", $@->addinfo(), "', set '", $@->diagset(), "')\n";
825
826 These methods, of no arguments, return the exception's error-code,
827 error-message, additional information and diagnostic set respectively.
828
829 =head4 render()
830
831  print $@->render();
832
833 Returns a human-readable rendition of an exception.  The C<"">
834 operator is overloaded on the Exception class, so that an Exception
835 used in a string context is automatically rendered.  Among other
836 consequences, this has the useful result that a ZOOM application that
837 died due to an uncaught exception will emit an informative message
838 before exiting.
839
840 =head2 ZOOM::ScanSet
841
842  $ss = $conn->scan('@attr 1=1003 a');
843  $n = $ss->size();
844  ($term, $occ) = $ss->term($n-1);
845  $rs = $conn->search_pqf('@attr 1=1003 "' . $term . "'");
846  assert($rs->size() == $occ);
847
848 A ScanSet represents a set of candidate search-terms returned from an
849 index scan.  Its sole purpose is to provide access to those term, to
850 the corresponding display terms, and to the occurrence-counts of the
851 terms.
852
853 There is no C<new()> method nor any other explicit constructor.  The
854 only way to create a new ScanSet is by using C<scan()> on a
855 Connection.
856
857 See the description of the C<Scan Set> class in the ZOOM Abstract
858 API at
859 http://zoom.z3950.org/api/zoom-current.html#3.6
860
861 =head3 Methods
862
863 =head4 size()
864
865  print "Found ", $ss->size(), " terms\n";
866
867 Returns the number of terms in the scan set.  In general, this will be
868 the scan-set size requested by the C<number> option in the Connection
869 on which the scan was performed [default 10], but it may be fewer if
870 the scan is close to the end of the index.
871
872 =head4 term() / display_term()
873
874  $ss = $conn->scan('@attr 1=1004 whatever');
875  ($term, $occurrences) = $ss->term(0);
876  ($displayTerm, $occurrences2) = $ss->display_term(0);
877  assert($occurrences == $occurrences2);
878  if (user_likes_the_look_of($displayTerm)) {
879      $rs = $conn->search_pqf('@attr 1=4 "' . $term . '"');
880      assert($rs->size() == $occurrences);
881  }
882
883 These methods return the scanned terms themselves.  C<term()> returns
884 the term is a form suitable for submitting as part of a query, whereas
885 C<display_term()> returns it in a form suitable for displaying to a
886 user.  Both versions also return the number of occurrences of the term
887 in the index, i.e. the number of hits that will be found if the term
888 is subsequently used in a query.
889
890 In most cases, the term and display term will be identical; however,
891 they may be different in cases where punctuation or case is
892 normalised, or where identifiers rather than the original document
893 terms are indexed.
894
895 =head4 option()
896
897  print "scan status is ", $ss->option("scanStatus");
898
899 Allows options to be set into, and read from, a ScanSet, just like
900 the Connection class's C<option()> method.  There is no
901 C<option_binary()> method for ScanSet objects.
902
903 ScanSet options are also described, though not particularly
904 informatively, at
905 http://indexdata.com/yaz/doc/zoom.scan.tkl
906
907 =head4 destroy()
908
909  $ss->destroy()
910
911 Destroys a ScanSet object, freeing its resources.  It is an error to
912 reuse a ScanSet that has been C<destroy()>ed.
913
914 =head2 ZOOM::Package
915
916  $p = $conn->package();
917  $p->option(action => "specialUpdate");
918  $p->option(recordIdOpaque => 145);
919  $p->option(record => content_of("/tmp/record.xml"));
920  $p->send("update");
921  $p->destroy();
922
923 This class represents an Extended Services Package: an instruction to
924 the server to do something not covered by the core parts of the Z39.50
925 standard (or the equivalent in SRW or SRU).  Since the core protocols
926 are read-only, such requests are often used to make changes to the
927 database, such as in the record update example above.
928
929 Requesting an extended service is a four-step process: first, create a
930 package associated with the connection to the relevant database;
931 second, set options on the package to instruct the server on what to
932 do; third, send the package (which may result in an exception being
933 thrown if the server cannot execute the requested operations; and
934 finally, destroy the package.
935
936 Package options are listed at
937 http://indexdata.com/yaz/doc/zoom.ext.tkl
938
939 The particular options that have meaning are determined by the
940 top-level operation string specified as the argument to C<send()>.
941 For example, when the operation is C<update> (the most commonly used
942 extended service), the C<action> option may be set to any of
943 C<recordInsert>
944 (add a new record, failing if that record already exists),
945 C<recordDelete>
946 (delete a record, failing if it is not in the database).
947 C<recordReplace>
948 (replace a record, failing if an old version is not already present)
949 or
950 C<specialUpdate>
951 (add a record, replacing any existing version that may be present).
952
953 For update, the C<record> option should be set to the full text of the
954 XML record to added, deleted or replaced.  Depending on how the server
955 is configured, it may extract the record's unique ID from the text
956 (i.e. from a known element such as the C<001> field of a MARCXML
957 record), or it may require the unique ID to passed in explicitly using
958 the C<recordIdOpaque> option.
959
960 Extended services packages are B<not currently described> in the ZOOM
961 Abstract API at
962 http://zoom.z3950.org/api/zoom-current.html
963 They will be added in a forthcoming version, and will function much
964 as those implemented in this module.
965
966 =head3 Methods
967
968 =head4 option()
969
970  $p->option(recordIdOpaque => "46696f6e61");
971
972 Allows options to be set into, and read from, a Package, just like
973 the Connection class's C<option()> method.  There is no
974 C<option_binary()> method for Package objects.
975
976 Package options are listed at
977 http://indexdata.com/yaz/doc/zoom.ext.tkl
978
979 =head4 send()
980
981  $p->send("create");
982
983 Sends a package to the server associated with the Connection that
984 created it.  Problems are reported by throwing an exception.  The
985 single parameter indicates the operation that the server is being
986 requested to perform, and controls the interpretation of the package's
987 options.  Valid operations include:
988
989 =over 4
990
991 =item itemorder
992
993 Request a copy of a nominated object, e.g. place an ILL request.
994
995 =item create
996
997 Create a new database, the name of which is specified by the
998 C<databaseName> option.
999
1000 =item drop
1001
1002 Drop an existing database, the name of which is specified by the
1003 C<databaseName> option.
1004
1005 =item commit
1006
1007 Commit changes made to the database within a transaction.
1008
1009 =item update
1010
1011 Modify the contents of the database by adding, deleting or replacing
1012 records (as described above in the overview of the C<ZOOM::Package>
1013 class).
1014
1015 =item xmlupdate
1016
1017 I have no idea what this does.
1018
1019 =back
1020
1021 Although the module is capable of I<making> all these requests, not
1022 all servers are capable of I<executing> them.  Refusal is indicated by
1023 throwing an exception.  Problems may also be caused by lack of
1024 privileges; so C<send()> must be used with caution, and is perhaps
1025 best wrapped in a clause that checks for execptions, like so:
1026
1027  eval { $p->send("create") };
1028  if ($@ && $@->isa("ZOOM::Exception")) {
1029      print "Oops!  ", $@->message(), "\n";
1030      return $@->code();
1031  }
1032
1033 =head4 destroy()
1034
1035  $p->destroy()
1036
1037 Destroys a Package object, freeing its resources.  It is an error to
1038 reuse a Package that has been C<destroy()>ed.
1039
1040 =head2 ZOOM::Query
1041
1042  $q = new ZOOM::Query::CQL("creator=pike and subject=unix");
1043  $q->sortby("1=4 >i 1=21 >s");
1044  $rs = $conn->search($q);
1045  $q->destroy();
1046
1047 C<ZOOM::Query> is a virtual base class from which various concrete
1048 subclasses can be derived.  Different subclasses implement different
1049 types of query.  The sole purpose of a Query object is to be used in a
1050 C<search()> on a Connection; because PQF is such a common special
1051 case, the shortcut Connection method C<search_pqf()> is provided.
1052
1053 The following Query subclasses are provided, each providing the
1054 same set of methods described below:
1055
1056 =over 4
1057
1058 =item ZOOM::Query::PQF
1059
1060 Implements Prefix Query Format (PQF), also sometimes known as Prefix
1061 Query Notation (PQN).  This esoteric but rigorous and expressive
1062 format is described in the YAZ Manual at
1063 http://indexdata.com/yaz/doc/tools.tkl#PQF
1064
1065 =item ZOOM::Query::CQL
1066
1067 Implements the Common Query Language (CQL) of SRU, the Search/Retrieve
1068 URL.  CQL is a much friendlier notation than PQF, using a simple infix
1069 notation.  The queries are passed ``as is'' to the server rather than
1070 being compiled into a Z39.50 Type-1 query, so only CQL-compliant
1071 servers can support such querier.  CQL is described at
1072 http://www.loc.gov/standards/sru/cql/
1073 and in a slight out-of-date but nevertheless useful tutorial at
1074 http://zing.z3950.org/cql/intro.html
1075
1076 =item ZOOM::Query::CQL2RPN
1077
1078 Implements CQL by compiling it on the client-side into a Z39.50
1079 Type-1 (RPN) query, and sending that.  This provides essentially the
1080 same functionality as C<ZOOM::Query::CQL>, but it will work against
1081 any standard Z39.50 server rather than only against the small subset
1082 that support CQL natively.  The drawback is that, because the
1083 compilation is done on the client side, a configuration file is
1084 required to direct the mapping of CQL constructs such as index names,
1085 relations and modifiers into Type-1 query attributes.  An example CQL
1086 configuration file is included in the ZOOM-Perl distribution, in the
1087 file C<samples/cql/pqf.properties>
1088
1089 =item ZOOM::Query::CCL2RPN
1090
1091 Implements CCL by compiling it on the client-side into a Z39.50 Type-1
1092 (RPN) query, and sending that.  Because the compilation is done on the
1093 client side, a configuration file is required to direct the mapping of
1094 CCL constructs such as index names and boolean operators into Type-1
1095 query attributes.  An example CCL configuration file is included in
1096 the ZOOM-Perl distribution, in the file C<samples/ccl/default.bib>
1097
1098 CCL is syntactically very similar to CQL, but much looser.  While CQL
1099 is an entirely precise language in which each possible query has
1100 rigorously defined semantics, and is thus suitable for transfer as
1101 part of a protocol, CCL is best deployed as a human-facing UI
1102 language.
1103
1104 =back
1105
1106 See the description of the C<Query> class in the ZOOM Abstract
1107 API at
1108 http://zoom.z3950.org/api/zoom-current.html#3.3
1109
1110 =head3 Methods
1111
1112 =head4 new()
1113
1114  $q = new ZOOM::Query::CQL('title=dinosaur');
1115  $q = new ZOOM::Query::PQF('@attr 1=4 dinosaur');
1116
1117 Creates a new query object, compiling the query passed as its argument
1118 according to the rules of the particular query-type being
1119 instantiated.  If compilation fails, an exception is thrown.
1120 Otherwise, the query may be passed to the C<Connection> method
1121 C<search()>.
1122
1123  $conn->option(cqlfile => "samples/cql/pqf.properties");
1124  $q = new ZOOM::Query::CQL2RPN('title=dinosaur', $conn);
1125
1126 Note that for the C<ZOOM::Query::CQL2RPN> subclass, the Connection
1127 must also be passed into the constructor.  This is used for two
1128 purposes: first, its C<cqlfile> option is used to find the CQL
1129 configuration file that directs the translations into RPN; and second,
1130 if compilation fails, then diagnostic information is cached in the
1131 Connection and be retrieved using C<$conn-E<gt>errcode()> and related
1132 methods.
1133
1134  $conn->option(cclfile => "samples/ccl/default.bib");
1135  # or
1136  $conn->option(cclqual => "ti u=4 s=pw\nab u=62 s=pw");
1137  $q = new ZOOM::Query::CCL2RPN('ti=dinosaur', $conn);
1138
1139 For the C<ZOOM::Query::CCL2RPN> subclass, too, the Connection must be
1140 passed into the constructor, for the same reasons as when client-side
1141 CQL compilation is used.  The C<cclqual> option, if defined, gives a
1142 CCL qualification specification inline; otherwise, the contents of the
1143 file named by the C<cclfile> option are used.
1144
1145 =head4 sortby()
1146
1147  $q->sortby("1=4 >i 1=21 >s");
1148
1149 Sets a sort specification into the query, so that when a C<search()>
1150 is run on the query, the result is automatically sorted.  The sort
1151 specification language is the same as the C<yaz> sort-specification
1152 type of the C<ResultSet> method C<sort()>, described above.
1153
1154 =head4 destroy()
1155
1156  $p->destroy()
1157
1158 Destroys a Query object, freeing its resources.  It is an error to
1159 reuse a Query that has been C<destroy()>ed.
1160
1161 =head2 ZOOM::Options
1162
1163  $o1 = new ZOOM::Options();
1164  $o1->option(user => "alf");
1165  $o2 = new ZOOM::Options();
1166  $o2->option(password => "fruit");
1167  $opts = new ZOOM::Options($o1, $o2);
1168  $conn = create ZOOM::Connection($opts);
1169  $conn->connect($host); # Uses the specified username and password
1170
1171 Several classes of ZOOM objects carry their own sets of options, which
1172 can be manipulated using their C<option()> method.  Sometimes,
1173 however, it's useful to deal with the option sets directly, and the
1174 C<ZOOM::Options> class exists to enable this approach.
1175
1176 Option sets are B<not currently described> in the ZOOM
1177 Abstract API at
1178 http://zoom.z3950.org/api/zoom-current.html
1179 They are an extension to that specification.
1180
1181 =head3 Methods
1182
1183 =head4 new()
1184
1185  $o1 = new ZOOM::Options();
1186  $o1and2 = new ZOOM::Options($o1);
1187  $o3 = new ZOOM::Options();
1188  $o1and3and4 = new ZOOM::Options($o1, $o3);
1189
1190 Creates and returns a new option set.  One or two (but no more)
1191 existing option sets may be passed as arguments, in which case they
1192 become ``parents'' of the new set, which thereby ``inherits'' their
1193 options, the values of the first parent overriding those of the second
1194 when both have a value for the same key.  An option set that inherits
1195 from a parent that has its own parents also inherits the grandparent's
1196 options, and so on.
1197
1198 =head4 option() / option_binary()
1199
1200  $o->option(preferredRecordSyntax => "usmarc");
1201  $o->option_binary(iconBlob => "foo\0bar");
1202  die if length($o->option_binary("iconBlob") != 7);
1203
1204 These methods are used to get and set options within a set, and behave
1205 the same way as the same-named C<Connection> methods - see above.  As
1206 with the C<Connection> methods, values passed to and retrieved using
1207 C<option()> are interpreted as NUL-terminated, while those passed to
1208 and retrieved from C<option_binary()> are binary-clean.
1209
1210 =head4 bool()
1211
1212  $o->option(x => "T");
1213  $o->option(y => "F");
1214  assert($o->bool("x", 1));
1215  assert(!$o->bool("y", 1));
1216  assert($o->bool("z", 1));
1217
1218 The first argument is a key, and the second is a default value.
1219 Returns the value associated with the specified key as a boolean, or
1220 the default value if the key has not been set.  The values C<T> (upper
1221 case) and C<1> are considered true; all other values (including C<t>
1222 (lower case) and non-zero integers other than one) are considered
1223 false.
1224
1225 This method is provided in ZOOM-C because in a statically typed
1226 language it's convenient to have the result returned as an
1227 easy-to-test type.  In a dynamically typed language such as Perl, this
1228 problem doesn't arise, so C<bool()> is nearly useless; but it is made
1229 available in case applications need to duplicate the idiosyncratic
1230 interpretation of truth and falsehood and ZOOM-C uses.
1231
1232 =head4 int()
1233
1234  $o->option(x => "012");
1235  assert($o->int("x", 20) == 12);
1236  assert($o->int("y", 20) == 20);
1237
1238 Returns the value associated with the specified key as an integer, or
1239 the default value if the key has not been set.  See the description of
1240 C<bool()> for why you almost certainly don't want to use this.
1241
1242 =head4 set_int()
1243
1244  $o->set_int(x => "29");
1245
1246 Sets the value of the specified option as an integer.  Of course, Perl
1247 happily converts strings to integers on its own, so you can just use
1248 C<option()> for this, but C<set_int()> is guaranteed to use the same
1249 string-to-integer conversion as ZOOM-C does, which might occasionally
1250 be useful.  Though I can't imagine how.
1251
1252 =head4 set_callback()
1253
1254  sub cb {
1255      ($udata, $key) = @;
1256      return "$udata-$key-$udata";
1257  }
1258  $o->set_callback(\&cb, "xyz");
1259  assert($o->option("foo") eq "xyz-foo-xyz");
1260
1261 This method allows a callback function to be installed in an option
1262 set, so that the values of options can be calculated algorithmically
1263 rather than, as usual, looked up in a table.  Along with the callback
1264 function itself, an additional datum is provided: when an option is
1265 subsequently looked up, this datum is passed to the callback function
1266 along with the key; and its return value is returned to the caller as
1267 the value of the option.
1268
1269 B<Warning.>
1270 Although it ought to be possible to specify callback function using
1271 the C<\&name> syntax above, or a literal C<sub { code }> code
1272 reference, the complexities of the Perl-internal memory management
1273 system mean that the function must currently be specified as a string
1274 containing the fully-qualified name, e.g. C<"main::cb">.>
1275
1276 B<Warning.>
1277 The current implementation of the this method leaks memory, not only
1278 when the callback is installed, but on every occasion that it is
1279 consulted to look up an option value.
1280
1281 =head4 destroy()
1282
1283  $o->destroy()
1284
1285 Destroys an Options object, freeing its resources.  It is an error to
1286 reuse an Options object that has been C<destroy()>ed.
1287
1288 =head1 ENUMERATIONS
1289
1290 The ZOOM module provides two enumerations that list possible return
1291 values from particular functions.  They are described in the following
1292 sections.
1293
1294 =head2 ZOOM::Error
1295
1296  if ($@->code() == ZOOM::Error::QUERY_PQF) {
1297      return "your query was not accepted";
1298  }
1299
1300 This class provides a set of manifest constants representing some of
1301 the possible error codes that can be raised by the ZOOM module.  The
1302 methods that return error-codes are
1303 C<ZOOM::Exception::code()>,
1304 C<ZOOM::Connection::error_x()>
1305 and
1306 C<ZOOM::Connection::errcode()>.
1307
1308 The C<ZOOM::Error> class provides the constants
1309 C<NONE>,
1310 C<CONNECT>,
1311 C<MEMORY>,
1312 C<ENCODE>,
1313 C<DECODE>,
1314 C<CONNECTION_LOST>,
1315 C<ZINIT>,
1316 C<INTERNAL>,
1317 C<TIMEOUT>,
1318 C<UNSUPPORTED_PROTOCOL>,
1319 C<UNSUPPORTED_QUERY>,
1320 C<INVALID_QUERY>,
1321 C<CQL_PARSE>,
1322 C<CQL_TRANSFORM>,
1323 C<CCL_CONFIG>,
1324 C<CCL_PARSE>,
1325 C<CREATE_QUERY>,
1326 C<QUERY_CQL>,
1327 C<QUERY_PQF>,
1328 C<SORTBY>,
1329 C<CLONE>,
1330 C<PACKAGE>,
1331 C<SCANTERM>
1332 and
1333 C<LOGLEVEL>,
1334 each of which specifies a client-side error.  These codes constitute
1335 the C<ZOOM> diagnostic set.
1336
1337 Since errors may also be diagnosed by the server, and returned to the
1338 client, error codes may also take values from the BIB-1 diagnostic set
1339 of Z39.50, listed at the Z39.50 Maintenance Agency's web-site at
1340 http://www.loc.gov/z3950/agency/defns/bib1diag.html
1341
1342 All error-codes, whether client-side from the C<ZOOM::Error>
1343 enumeration or server-side from the BIB-1 diagnostic set, can be
1344 translated into human-readable messages by passing them to the
1345 C<ZOOM::diag_str()> utility function.
1346
1347 =head2 ZOOM::Event
1348
1349  if ($conn->last_event() == ZOOM::Event::CONNECT) {
1350      print "Connected!\n";
1351  }
1352
1353 In applications that need it - mostly complex multiplexing
1354 applications - The C<ZOOM::Connection::last_event()> method is used to
1355 return an indication of the last event that occurred on a particular
1356 connection.  It always returns a value drawn from this enumeration,
1357 that is, one of C<NONE>, C<CONNECT>, C<SEND_DATA>, C<RECV_DATA>,
1358 C<TIMEOUT>, C<UNKNOWN>, C<SEND_APDU>, C<RECV_APDU>, C<RECV_RECORD>,
1359 C<RECV_SEARCH> or C<ZEND>.
1360
1361 See the section below on asynchronous applications.
1362
1363 =head1 LOGGING
1364
1365  ZOOM::Log::init_level(ZOOM::Log::mask_str("zoom,myapp,-warn"));
1366  ZOOM::Log::log("myapp", "starting up with pid ", $$);
1367
1368 Logging facilities are provided by a set of functions in the
1369 C<ZOOM::Log> module.  Note that C<ZOOM::Log> is not a class, and it
1370 is not possible to create C<ZOOM::Log> objects: the API is imperative,
1371 reflecting that of the underlying YAZ logging facilities.  Although
1372 there are nine logging functions altogether, you can ignore nearly
1373 all of them: most applications that use logging will begin by calling
1374 C<mask_str()> and C<init_level()> once each, as above, and will then
1375 repeatedly call C<log()>.
1376
1377 =head2 mask_str()
1378
1379  $level = ZOOM::Log::mask_str("zoom,myapp,-warn");
1380
1381 Returns an integer corresponding to the log-level specified by the
1382 parameter.  This is a string of zero or more comma-separated
1383 module-names, each indicating an individual module to be either added
1384 to the default log-level or removed from it (for those components
1385 prefixed by a minus-sign).  The names may be those of either standard
1386 YAZ-logging modules such as C<fatal>, C<debug> and C<warn>, or custom
1387 modules such as C<myapp> in the example above.  The module C<zoom>
1388 requests logging from the ZOOM module itself, which may be helpful for
1389 debugging.
1390
1391 Note that calling this function does not in any way change the logging
1392 state: it merely returns a value.  To change the state, this value
1393 must be passed to C<init_level()>.
1394
1395 =head2 module_level()
1396
1397  $level = ZOOM::Log::module_level("zoom");
1398  ZOOM::Log::log($level, "all systems clear: thrusters invogriated");
1399
1400 Returns the integer corresponding to the single log-level specified as
1401 the parameter, or zero if that level has not been registered by a
1402 prior call to C<mask_str()>.  Since C<log()> accepts either a numeric
1403 log-level or a string, there is no reason to call this function; but,
1404 what the heck, maybe you enjoy that kind of thing.  Who are we to
1405 judge?
1406
1407 =head2 init_level()
1408
1409  ZOOM::Log::init_level($level);
1410
1411 Initialises the log-level to the specified integer, which is a bitmask
1412 of values, typically as returned from C<mask_str()>.  All subsequent
1413 calls to C<log()> made with a log-level that matches one of the bits
1414 in this mask will result in a log-message being emitted.  All logging
1415 can be turned off by calling C<init_level(0)>.
1416
1417 =head2 init_prefix()
1418
1419  ZOOM::Log::init_prefix($0);
1420
1421 Initialises a prefix string to be included in all log-messages.
1422
1423 =head2 init_file()
1424
1425  ZOOM::Log::init_file("/tmp/myapp.log");
1426
1427 Initialises the output file to be used for logging: subsequent
1428 log-messages are written to the nominated file.  If this function is
1429 not called, log-messages are written to the standard error stream.
1430
1431 =head2 init()
1432
1433  ZOOM::Log::init($level, $0, "/tmp/myapp.log");
1434
1435 Initialises the log-level, the logging prefix and the logging output
1436 file in a single operation.
1437
1438 =head2 time_format()
1439
1440  ZOOM::Log::time_format("%Y-%m-%d %H:%M:%S");
1441
1442 Sets the format in which log-messages' timestamps are emitted, by
1443 means of a format-string like that used in the C function
1444 C<strftime()>.  The example above emits year, month, day, hours,
1445 minutes and seconds in big-endian order, such that timestamps can be
1446 sorted lexicographically.
1447
1448 =head2 init_max_size()
1449
1450 (This doesn't seem to work, so I won't bother describing it.)
1451
1452 =head2 log()
1453
1454  ZOOM::Log::log(8192, "reducing to warp-factor $wf");
1455  ZOOM::Log::log("myapp", "starting up with pid ", $$);
1456
1457 Provided that the first argument, log-level, is among the modules
1458 previously established by C<init_level()>, this function emits a
1459 log-message made up of a timestamp, the prefix supplied to
1460 C<init_prefix()>, if any, and the concatenation of all arguments after
1461 the first.  The message is written to the standard output stream, or
1462 to the file previous specified by C<init_file()> if this has been
1463 called.
1464
1465 The log-level argument may be either a numeric value, as returned from
1466 C<module_level()>, or a string containing the module name.
1467
1468 =head1 ASYNCHRONOUS APPLICATIONS
1469
1470 Although asynchronous applications are conceptually complex, the ZOOM
1471 support for them is provided through a very simple interface,
1472 consisting of one option (C<async>), one function (C<ZOOM::event()>),
1473 one Connection method (C<last_event()> and an enumeration
1474 (C<ZOOM::Event>).
1475
1476 The approach is as follows:
1477
1478 =over 4
1479
1480 =item Initialisation
1481
1482 Create several connections to the various servers, each of them having
1483 the option C<async> set, and with whatever additional options are
1484 required - e.g. the piggyback retrieval record-count can be set so
1485 that records will be returned in search responses.
1486
1487 =item Operations
1488
1489 Send searches to the connections, request records, etc.
1490
1491 =item Event harvesting
1492
1493 Repeatedly call C<ZOOM::event()> to discover what responses are being
1494 received from the servers.  Each time this function returns, it
1495 indicates which of the connections has fired; this connection can then
1496 be interrogated with the C<last_event()> method to discover what event
1497 has occurred, and the return value - an element of the C<ZOOM::Event>
1498 enumeration - can be tested to determine what to do next.  For
1499 example, the C<ZEND> event indicates that no further operations are
1500 outstanding on the connection, so any fetched records can now be
1501 immediately obtained.
1502
1503 =back
1504
1505 Here is a very short program (omitting all error-checking!) which
1506 demonstrates this process.  It parallel-searches three servers (or more
1507 of you add them the list), displaying the first record in the
1508 result-set of each server as soon as it becomes available.
1509
1510  use ZOOM;
1511  @servers = ('z3950.loc.gov:7090/Voyager',
1512              'z3950.indexdata.com:210/gils',
1513              'agricola.nal.usda.gov:7190/Voyager');
1514  for ($i = 0; $i < @servers; $i++) {
1515      $z[$i] = new ZOOM::Connection($servers[$i], 0,
1516                                    async => 1, # asynchronous mode
1517                                    count => 1, # piggyback retrieval count
1518                                    preferredRecordSyntax => "usmarc");
1519      $r[$i] = $z[$i]->search_pqf("mineral");
1520  }
1521  while (($i = ZOOM::event(\@z)) != 0) {
1522      $ev = $z[$i-1]->last_event();
1523      print("connection ", $i-1, ": ", ZOOM::event_str($ev), "\n");
1524      if ($ev == ZOOM::Event::ZEND) {
1525          $size = $r[$i-1]->size();
1526          print "connection ", $i-1, ": $size hits\n";
1527          print $r[$i-1]->record(0)->render()
1528              if $size > 0;
1529      }
1530  }
1531
1532 =head1 SEE ALSO
1533
1534 The ZOOM abstract API,
1535 http://zoom.z3950.org/api/zoom-current.html
1536
1537 The C<Net::Z3950::ZOOM> module, included in the same distribution as this one.
1538
1539 The C<Net::Z3950> module, which this one supersedes.
1540 http://perl.z3950.org/
1541
1542 The documentation for the ZOOM-C module of the YAZ Toolkit, which this
1543 module is built on.  Specifically, its lists of options are useful.
1544 http://indexdata.com/yaz/doc/zoom.tkl
1545
1546 The BIB-1 diagnostic set of Z39.50,
1547 http://www.loc.gov/z3950/agency/defns/bib1diag.html
1548
1549 =head1 AUTHOR
1550
1551 Mike Taylor, E<lt>mike@indexdata.comE<gt>
1552
1553 =head1 COPYRIGHT AND LICENCE
1554
1555 Copyright (C) 2005 by Index Data.
1556
1557 This library is free software; you can redistribute it and/or modify
1558 it under the same terms as Perl itself, either Perl version 5.8.4 or,
1559 at your option, any later version of Perl 5 you may have available.
1560
1561 =cut
1562
1563 1;