Thanks to visit codestin.com
Credit goes to doxygen.postgresql.org

PostgreSQL Source Code git master
fe-exec.c
Go to the documentation of this file.
1/*-------------------------------------------------------------------------
2 *
3 * fe-exec.c
4 * functions related to sending a query down to the backend
5 *
6 * Portions Copyright (c) 1996-2025, PostgreSQL Global Development Group
7 * Portions Copyright (c) 1994, Regents of the University of California
8 *
9 *
10 * IDENTIFICATION
11 * src/interfaces/libpq/fe-exec.c
12 *
13 *-------------------------------------------------------------------------
14 */
15#include "postgres_fe.h"
16
17#include <ctype.h>
18#include <fcntl.h>
19#include <limits.h>
20
21#ifdef WIN32
22#include "win32.h"
23#else
24#include <unistd.h>
25#endif
26
27#include "libpq-fe.h"
28#include "libpq-int.h"
29#include "mb/pg_wchar.h"
30
31/* keep this in same order as ExecStatusType in libpq-fe.h */
32char *const pgresStatus[] = {
33 "PGRES_EMPTY_QUERY",
34 "PGRES_COMMAND_OK",
35 "PGRES_TUPLES_OK",
36 "PGRES_COPY_OUT",
37 "PGRES_COPY_IN",
38 "PGRES_BAD_RESPONSE",
39 "PGRES_NONFATAL_ERROR",
40 "PGRES_FATAL_ERROR",
41 "PGRES_COPY_BOTH",
42 "PGRES_SINGLE_TUPLE",
43 "PGRES_PIPELINE_SYNC",
44 "PGRES_PIPELINE_ABORTED",
45 "PGRES_TUPLES_CHUNK"
46};
47
48/* We return this if we're unable to make a PGresult at all */
49static const PGresult OOM_result = {
51 .client_encoding = PG_SQL_ASCII,
52 .errMsg = "out of memory\n",
53};
54
55/*
56 * static state needed by PQescapeString and PQescapeBytea; initialize to
57 * values that result in backward-compatible behavior
58 */
60static bool static_std_strings = false;
61
62
63static PGEvent *dupEvents(PGEvent *events, int count, size_t *memSize);
64static bool pqAddTuple(PGresult *res, PGresAttValue *tup,
65 const char **errmsgp);
66static int PQsendQueryInternal(PGconn *conn, const char *query, bool newQuery);
67static bool PQsendQueryStart(PGconn *conn, bool newQuery);
68static int PQsendQueryGuts(PGconn *conn,
69 const char *command,
70 const char *stmtName,
71 int nParams,
72 const Oid *paramTypes,
73 const char *const *paramValues,
74 const int *paramLengths,
75 const int *paramFormats,
76 int resultFormat);
77static void parseInput(PGconn *conn);
79static bool PQexecStart(PGconn *conn);
81static int PQsendTypedCommand(PGconn *conn, char command, char type,
82 const char *target);
83static int check_field_number(const PGresult *res, int field_num);
85static int pqPipelineSyncInternal(PGconn *conn, bool immediate_flush);
86static int pqPipelineFlush(PGconn *conn);
87
88
89/* ----------------
90 * Space management for PGresult.
91 *
92 * Formerly, libpq did a separate malloc() for each field of each tuple
93 * returned by a query. This was remarkably expensive --- malloc/free
94 * consumed a sizable part of the application's runtime. And there is
95 * no real need to keep track of the fields separately, since they will
96 * all be freed together when the PGresult is released. So now, we grab
97 * large blocks of storage from malloc and allocate space for query data
98 * within these blocks, using a trivially simple allocator. This reduces
99 * the number of malloc/free calls dramatically, and it also avoids
100 * fragmentation of the malloc storage arena.
101 * The PGresult structure itself is still malloc'd separately. We could
102 * combine it with the first allocation block, but that would waste space
103 * for the common case that no extra storage is actually needed (that is,
104 * the SQL command did not return tuples).
105 *
106 * We also malloc the top-level array of tuple pointers separately, because
107 * we need to be able to enlarge it via realloc, and our trivial space
108 * allocator doesn't handle that effectively. (Too bad the FE/BE protocol
109 * doesn't tell us up front how many tuples will be returned.)
110 * All other subsidiary storage for a PGresult is kept in PGresult_data blocks
111 * of size PGRESULT_DATA_BLOCKSIZE. The overhead at the start of each block
112 * is just a link to the next one, if any. Free-space management info is
113 * kept in the owning PGresult.
114 * A query returning a small amount of data will thus require three malloc
115 * calls: one for the PGresult, one for the tuples pointer array, and one
116 * PGresult_data block.
117 *
118 * Only the most recently allocated PGresult_data block is a candidate to
119 * have more stuff added to it --- any extra space left over in older blocks
120 * is wasted. We could be smarter and search the whole chain, but the point
121 * here is to be simple and fast. Typical applications do not keep a PGresult
122 * around very long anyway, so some wasted space within one is not a problem.
123 *
124 * Tuning constants for the space allocator are:
125 * PGRESULT_DATA_BLOCKSIZE: size of a standard allocation block, in bytes
126 * PGRESULT_ALIGN_BOUNDARY: assumed alignment requirement for binary data
127 * PGRESULT_SEP_ALLOC_THRESHOLD: objects bigger than this are given separate
128 * blocks, instead of being crammed into a regular allocation block.
129 * Requirements for correct function are:
130 * PGRESULT_ALIGN_BOUNDARY must be a multiple of the alignment requirements
131 * of all machine data types. (Currently this is set from configure
132 * tests, so it should be OK automatically.)
133 * PGRESULT_SEP_ALLOC_THRESHOLD + PGRESULT_BLOCK_OVERHEAD <=
134 * PGRESULT_DATA_BLOCKSIZE
135 * pqResultAlloc assumes an object smaller than the threshold will fit
136 * in a new block.
137 * The amount of space wasted at the end of a block could be as much as
138 * PGRESULT_SEP_ALLOC_THRESHOLD, so it doesn't pay to make that too large.
139 * ----------------
140 */
141
142#define PGRESULT_DATA_BLOCKSIZE 2048
143#define PGRESULT_ALIGN_BOUNDARY MAXIMUM_ALIGNOF /* from configure */
144#define PGRESULT_BLOCK_OVERHEAD Max(sizeof(PGresult_data), PGRESULT_ALIGN_BOUNDARY)
145#define PGRESULT_SEP_ALLOC_THRESHOLD (PGRESULT_DATA_BLOCKSIZE / 2)
146
147
148/*
149 * PQmakeEmptyPGresult
150 * returns a newly allocated, initialized PGresult with given status.
151 * If conn is not NULL and status indicates an error, the conn's
152 * errorMessage is copied. Also, any PGEvents are copied from the conn.
153 *
154 * Note: the logic to copy the conn's errorMessage is now vestigial;
155 * no internal caller uses it. However, that behavior is documented for
156 * outside callers, so we'd better keep it.
157 */
158PGresult *
160{
161 PGresult *result;
162
163 result = (PGresult *) malloc(sizeof(PGresult));
164 if (!result)
165 return NULL;
166
167 result->ntups = 0;
168 result->numAttributes = 0;
169 result->attDescs = NULL;
170 result->tuples = NULL;
171 result->tupArrSize = 0;
172 result->numParameters = 0;
173 result->paramDescs = NULL;
174 result->resultStatus = status;
175 result->cmdStatus[0] = '\0';
176 result->binary = 0;
177 result->events = NULL;
178 result->nEvents = 0;
179 result->errMsg = NULL;
180 result->errFields = NULL;
181 result->errQuery = NULL;
182 result->null_field[0] = '\0';
183 result->curBlock = NULL;
184 result->curOffset = 0;
185 result->spaceLeft = 0;
186 result->memorySize = sizeof(PGresult);
187
188 if (conn)
189 {
190 /* copy connection data we might need for operations on PGresult */
191 result->noticeHooks = conn->noticeHooks;
193
194 /* consider copying conn's errorMessage */
195 switch (status)
196 {
198 case PGRES_COMMAND_OK:
199 case PGRES_TUPLES_OK:
200 case PGRES_COPY_OUT:
201 case PGRES_COPY_IN:
202 case PGRES_COPY_BOTH:
205 /* non-error cases */
206 break;
207 default:
208 /* we intentionally do not use or modify errorReported here */
209 pqSetResultError(result, &conn->errorMessage, 0);
210 break;
211 }
212
213 /* copy events last; result must be valid if we need to PQclear */
214 if (conn->nEvents > 0)
215 {
216 result->events = dupEvents(conn->events, conn->nEvents,
217 &result->memorySize);
218 if (!result->events)
219 {
220 PQclear(result);
221 return NULL;
222 }
223 result->nEvents = conn->nEvents;
224 }
225 }
226 else
227 {
228 /* defaults... */
229 result->noticeHooks.noticeRec = NULL;
230 result->noticeHooks.noticeRecArg = NULL;
231 result->noticeHooks.noticeProc = NULL;
232 result->noticeHooks.noticeProcArg = NULL;
234 }
235
236 return result;
237}
238
239/*
240 * PQsetResultAttrs
241 *
242 * Set the attributes for a given result. This function fails if there are
243 * already attributes contained in the provided result. The call is
244 * ignored if numAttributes is zero or attDescs is NULL. If the
245 * function fails, it returns zero. If the function succeeds, it
246 * returns a non-zero value.
247 */
248int
249PQsetResultAttrs(PGresult *res, int numAttributes, PGresAttDesc *attDescs)
250{
251 int i;
252
253 /* Fail if argument is NULL or OOM_result */
254 if (!res || (const PGresult *) res == &OOM_result)
255 return false;
256
257 /* If attrs already exist, they cannot be overwritten. */
258 if (res->numAttributes > 0)
259 return false;
260
261 /* ignore no-op request */
262 if (numAttributes <= 0 || !attDescs)
263 return true;
264
265 res->attDescs = (PGresAttDesc *)
266 PQresultAlloc(res, numAttributes * sizeof(PGresAttDesc));
267
268 if (!res->attDescs)
269 return false;
270
271 res->numAttributes = numAttributes;
272 memcpy(res->attDescs, attDescs, numAttributes * sizeof(PGresAttDesc));
273
274 /* deep-copy the attribute names, and determine format */
275 res->binary = 1;
276 for (i = 0; i < res->numAttributes; i++)
277 {
278 if (res->attDescs[i].name)
279 res->attDescs[i].name = pqResultStrdup(res, res->attDescs[i].name);
280 else
281 res->attDescs[i].name = res->null_field;
282
283 if (!res->attDescs[i].name)
284 return false;
285
286 if (res->attDescs[i].format == 0)
287 res->binary = 0;
288 }
289
290 return true;
291}
292
293/*
294 * PQcopyResult
295 *
296 * Returns a deep copy of the provided 'src' PGresult, which cannot be NULL.
297 * The 'flags' argument controls which portions of the result will or will
298 * NOT be copied. The created result is always put into the
299 * PGRES_TUPLES_OK status. The source result error message is not copied,
300 * although cmdStatus is.
301 *
302 * To set custom attributes, use PQsetResultAttrs. That function requires
303 * that there are no attrs contained in the result, so to use that
304 * function you cannot use the PG_COPYRES_ATTRS or PG_COPYRES_TUPLES
305 * options with this function.
306 *
307 * Options:
308 * PG_COPYRES_ATTRS - Copy the source result's attributes
309 *
310 * PG_COPYRES_TUPLES - Copy the source result's tuples. This implies
311 * copying the attrs, seeing how the attrs are needed by the tuples.
312 *
313 * PG_COPYRES_EVENTS - Copy the source result's events.
314 *
315 * PG_COPYRES_NOTICEHOOKS - Copy the source result's notice hooks.
316 */
317PGresult *
318PQcopyResult(const PGresult *src, int flags)
319{
320 PGresult *dest;
321 int i;
322
323 if (!src)
324 return NULL;
325
327 if (!dest)
328 return NULL;
329
330 /* Always copy these over. Is cmdStatus really useful here? */
331 dest->client_encoding = src->client_encoding;
332 strcpy(dest->cmdStatus, src->cmdStatus);
333
334 /* Wants attrs? */
335 if (flags & (PG_COPYRES_ATTRS | PG_COPYRES_TUPLES))
336 {
338 {
339 PQclear(dest);
340 return NULL;
341 }
342 }
343
344 /* Wants to copy tuples? */
345 if (flags & PG_COPYRES_TUPLES)
346 {
347 int tup,
348 field;
349
350 for (tup = 0; tup < src->ntups; tup++)
351 {
352 for (field = 0; field < src->numAttributes; field++)
353 {
354 if (!PQsetvalue(dest, tup, field,
355 src->tuples[tup][field].value,
356 src->tuples[tup][field].len))
357 {
358 PQclear(dest);
359 return NULL;
360 }
361 }
362 }
363 }
364
365 /* Wants to copy notice hooks? */
366 if (flags & PG_COPYRES_NOTICEHOOKS)
367 dest->noticeHooks = src->noticeHooks;
368
369 /* Wants to copy PGEvents? */
370 if ((flags & PG_COPYRES_EVENTS) && src->nEvents > 0)
371 {
372 dest->events = dupEvents(src->events, src->nEvents,
373 &dest->memorySize);
374 if (!dest->events)
375 {
376 PQclear(dest);
377 return NULL;
378 }
379 dest->nEvents = src->nEvents;
380 }
381
382 /* Okay, trigger PGEVT_RESULTCOPY event */
383 for (i = 0; i < dest->nEvents; i++)
384 {
385 /* We don't fire events that had some previous failure */
386 if (src->events[i].resultInitialized)
387 {
389
390 evt.src = src;
391 evt.dest = dest;
392 if (dest->events[i].proc(PGEVT_RESULTCOPY, &evt,
393 dest->events[i].passThrough))
394 dest->events[i].resultInitialized = true;
395 }
396 }
397
398 return dest;
399}
400
401/*
402 * Copy an array of PGEvents (with no extra space for more).
403 * Does not duplicate the event instance data, sets this to NULL.
404 * Also, the resultInitialized flags are all cleared.
405 * The total space allocated is added to *memSize.
406 */
407static PGEvent *
408dupEvents(PGEvent *events, int count, size_t *memSize)
409{
410 PGEvent *newEvents;
411 size_t msize;
412 int i;
413
414 if (!events || count <= 0)
415 return NULL;
416
417 msize = count * sizeof(PGEvent);
418 newEvents = (PGEvent *) malloc(msize);
419 if (!newEvents)
420 return NULL;
421
422 for (i = 0; i < count; i++)
423 {
424 newEvents[i].proc = events[i].proc;
425 newEvents[i].passThrough = events[i].passThrough;
426 newEvents[i].data = NULL;
427 newEvents[i].resultInitialized = false;
428 newEvents[i].name = strdup(events[i].name);
429 if (!newEvents[i].name)
430 {
431 while (--i >= 0)
432 free(newEvents[i].name);
433 free(newEvents);
434 return NULL;
435 }
436 msize += strlen(events[i].name) + 1;
437 }
438
439 *memSize += msize;
440 return newEvents;
441}
442
443
444/*
445 * Sets the value for a tuple field. The tup_num must be less than or
446 * equal to PQntuples(res). If it is equal, a new tuple is created and
447 * added to the result.
448 * Returns a non-zero value for success and zero for failure.
449 * (On failure, we report the specific problem via pqInternalNotice.)
450 */
451int
452PQsetvalue(PGresult *res, int tup_num, int field_num, char *value, int len)
453{
454 PGresAttValue *attval;
455 const char *errmsg = NULL;
456
457 /* Fail if argument is NULL or OOM_result */
458 if (!res || (const PGresult *) res == &OOM_result)
459 return false;
460
461 /* Invalid field_num? */
462 if (!check_field_number(res, field_num))
463 return false;
464
465 /* Invalid tup_num, must be <= ntups */
466 if (tup_num < 0 || tup_num > res->ntups)
467 {
469 "row number %d is out of range 0..%d",
470 tup_num, res->ntups);
471 return false;
472 }
473
474 /* need to allocate a new tuple? */
475 if (tup_num == res->ntups)
476 {
477 PGresAttValue *tup;
478 int i;
479
480 tup = (PGresAttValue *)
481 pqResultAlloc(res, res->numAttributes * sizeof(PGresAttValue),
482 true);
483
484 if (!tup)
485 goto fail;
486
487 /* initialize each column to NULL */
488 for (i = 0; i < res->numAttributes; i++)
489 {
490 tup[i].len = NULL_LEN;
491 tup[i].value = res->null_field;
492 }
493
494 /* add it to the array */
495 if (!pqAddTuple(res, tup, &errmsg))
496 goto fail;
497 }
498
499 attval = &res->tuples[tup_num][field_num];
500
501 /* treat either NULL_LEN or NULL value pointer as a NULL field */
502 if (len == NULL_LEN || value == NULL)
503 {
504 attval->len = NULL_LEN;
505 attval->value = res->null_field;
506 }
507 else if (len <= 0)
508 {
509 attval->len = 0;
510 attval->value = res->null_field;
511 }
512 else
513 {
514 attval->value = (char *) pqResultAlloc(res, len + 1, true);
515 if (!attval->value)
516 goto fail;
517 attval->len = len;
518 memcpy(attval->value, value, len);
519 attval->value[len] = '\0';
520 }
521
522 return true;
523
524 /*
525 * Report failure via pqInternalNotice. If preceding code didn't provide
526 * an error message, assume "out of memory" was meant.
527 */
528fail:
529 if (!errmsg)
530 errmsg = libpq_gettext("out of memory");
531 pqInternalNotice(&res->noticeHooks, "%s", errmsg);
532
533 return false;
534}
535
536/*
537 * pqResultAlloc - exported routine to allocate local storage in a PGresult.
538 *
539 * We force all such allocations to be maxaligned, since we don't know
540 * whether the value might be binary.
541 */
542void *
543PQresultAlloc(PGresult *res, size_t nBytes)
544{
545 /* Fail if argument is NULL or OOM_result */
546 if (!res || (const PGresult *) res == &OOM_result)
547 return NULL;
548
549 return pqResultAlloc(res, nBytes, true);
550}
551
552/*
553 * pqResultAlloc -
554 * Allocate subsidiary storage for a PGresult.
555 *
556 * nBytes is the amount of space needed for the object.
557 * If isBinary is true, we assume that we need to align the object on
558 * a machine allocation boundary.
559 * If isBinary is false, we assume the object is a char string and can
560 * be allocated on any byte boundary.
561 */
562void *
563pqResultAlloc(PGresult *res, size_t nBytes, bool isBinary)
564{
565 char *space;
566 PGresult_data *block;
567
568 if (!res)
569 return NULL;
570
571 if (nBytes <= 0)
572 return res->null_field;
573
574 /*
575 * If alignment is needed, round up the current position to an alignment
576 * boundary.
577 */
578 if (isBinary)
579 {
580 int offset = res->curOffset % PGRESULT_ALIGN_BOUNDARY;
581
582 if (offset)
583 {
584 res->curOffset += PGRESULT_ALIGN_BOUNDARY - offset;
585 res->spaceLeft -= PGRESULT_ALIGN_BOUNDARY - offset;
586 }
587 }
588
589 /* If there's enough space in the current block, no problem. */
590 if (nBytes <= (size_t) res->spaceLeft)
591 {
592 space = res->curBlock->space + res->curOffset;
593 res->curOffset += nBytes;
594 res->spaceLeft -= nBytes;
595 return space;
596 }
597
598 /*
599 * If the requested object is very large, give it its own block; this
600 * avoids wasting what might be most of the current block to start a new
601 * block. (We'd have to special-case requests bigger than the block size
602 * anyway.) The object is always given binary alignment in this case.
603 */
604 if (nBytes >= PGRESULT_SEP_ALLOC_THRESHOLD)
605 {
606 size_t alloc_size = nBytes + PGRESULT_BLOCK_OVERHEAD;
607
608 block = (PGresult_data *) malloc(alloc_size);
609 if (!block)
610 return NULL;
611 res->memorySize += alloc_size;
612 space = block->space + PGRESULT_BLOCK_OVERHEAD;
613 if (res->curBlock)
614 {
615 /*
616 * Tuck special block below the active block, so that we don't
617 * have to waste the free space in the active block.
618 */
619 block->next = res->curBlock->next;
620 res->curBlock->next = block;
621 }
622 else
623 {
624 /* Must set up the new block as the first active block. */
625 block->next = NULL;
626 res->curBlock = block;
627 res->spaceLeft = 0; /* be sure it's marked full */
628 }
629 return space;
630 }
631
632 /* Otherwise, start a new block. */
634 if (!block)
635 return NULL;
637 block->next = res->curBlock;
638 res->curBlock = block;
639 if (isBinary)
640 {
641 /* object needs full alignment */
644 }
645 else
646 {
647 /* we can cram it right after the overhead pointer */
648 res->curOffset = sizeof(PGresult_data);
650 }
651
652 space = block->space + res->curOffset;
653 res->curOffset += nBytes;
654 res->spaceLeft -= nBytes;
655 return space;
656}
657
658/*
659 * PQresultMemorySize -
660 * Returns total space allocated for the PGresult.
661 */
662size_t
664{
665 if (!res)
666 return 0;
667 return res->memorySize;
668}
669
670/*
671 * pqResultStrdup -
672 * Like strdup, but the space is subsidiary PGresult space.
673 */
674char *
675pqResultStrdup(PGresult *res, const char *str)
676{
677 char *space = (char *) pqResultAlloc(res, strlen(str) + 1, false);
678
679 if (space)
680 strcpy(space, str);
681 return space;
682}
683
684/*
685 * pqSetResultError -
686 * assign a new error message to a PGresult
687 *
688 * Copy text from errorMessage buffer beginning at given offset
689 * (it's caller's responsibility that offset is valid)
690 */
691void
692pqSetResultError(PGresult *res, PQExpBuffer errorMessage, int offset)
693{
694 char *msg;
695
696 if (!res)
697 return;
698
699 /*
700 * We handle two OOM scenarios here. The errorMessage buffer might be
701 * marked "broken" due to having previously failed to allocate enough
702 * memory for the message, or it might be fine but pqResultStrdup fails
703 * and returns NULL. In either case, just make res->errMsg point directly
704 * at a constant "out of memory" string.
705 */
706 if (!PQExpBufferBroken(errorMessage))
707 msg = pqResultStrdup(res, errorMessage->data + offset);
708 else
709 msg = NULL;
710 if (msg)
711 res->errMsg = msg;
712 else
713 res->errMsg = libpq_gettext("out of memory\n");
714}
715
716/*
717 * PQclear -
718 * free's the memory associated with a PGresult
719 */
720void
722{
723 PGresult_data *block;
724 int i;
725
726 /* As a convenience, do nothing for a NULL pointer */
727 if (!res)
728 return;
729 /* Also, do nothing if the argument is OOM_result */
730 if ((const PGresult *) res == &OOM_result)
731 return;
732
733 /* Close down any events we may have */
734 for (i = 0; i < res->nEvents; i++)
735 {
736 /* only send DESTROY to successfully-initialized event procs */
737 if (res->events[i].resultInitialized)
738 {
740
741 evt.result = res;
742 (void) res->events[i].proc(PGEVT_RESULTDESTROY, &evt,
743 res->events[i].passThrough);
744 }
745 free(res->events[i].name);
746 }
747
748 free(res->events);
749
750 /* Free all the subsidiary blocks */
751 while ((block = res->curBlock) != NULL)
752 {
753 res->curBlock = block->next;
754 free(block);
755 }
756
757 /* Free the top-level tuple pointer array */
758 free(res->tuples);
759
760 /* zero out the pointer fields to catch programming errors */
761 res->attDescs = NULL;
762 res->tuples = NULL;
763 res->paramDescs = NULL;
764 res->errFields = NULL;
765 res->events = NULL;
766 res->nEvents = 0;
767 /* res->curBlock was zeroed out earlier */
768
769 /* Free the PGresult structure itself */
770 free(res);
771}
772
773/*
774 * Handy subroutine to deallocate any partially constructed async result.
775 *
776 * Any "saved" result gets cleared too.
777 */
778void
780{
782 conn->result = NULL;
783 conn->error_result = false;
785 conn->saved_result = NULL;
786}
787
788/*
789 * pqSaveErrorResult -
790 * remember that we have an error condition
791 *
792 * In much of libpq, reporting an error just requires appending text to
793 * conn->errorMessage and returning a failure code to one's caller.
794 * Where returning a failure code is impractical, instead call this
795 * function to remember that an error needs to be reported.
796 *
797 * (It might seem that appending text to conn->errorMessage should be
798 * sufficient, but we can't rely on that working under out-of-memory
799 * conditions. The OOM hazard is also why we don't try to make a new
800 * PGresult right here.)
801 */
802void
804{
805 /* Drop any pending result ... */
807 /* ... and set flag to remember to make an error result later */
808 conn->error_result = true;
809}
810
811/*
812 * pqSaveWriteError -
813 * report a write failure
814 *
815 * As above, after appending conn->write_err_msg to whatever other error we
816 * have. This is used when we've detected a write failure and have exhausted
817 * our chances of reporting something else instead.
818 */
819static void
821{
822 /*
823 * If write_err_msg is null because of previous strdup failure, do what we
824 * can. (It's likely our machinations here will get OOM failures as well,
825 * but might as well try.)
826 */
827 if (conn->write_err_msg)
828 {
830 /* Avoid possibly appending the same message twice */
831 conn->write_err_msg[0] = '\0';
832 }
833 else
834 libpq_append_conn_error(conn, "write to server failed");
835
837}
838
839/*
840 * pqPrepareAsyncResult -
841 * prepare the current async result object for return to the caller
842 *
843 * If there is not already an async result object, build an error object
844 * using whatever is in conn->errorMessage. In any case, clear the async
845 * result storage, and update our notion of how much error text has been
846 * returned to the application.
847 *
848 * Note that in no case (not even OOM) do we return NULL.
849 */
850PGresult *
852{
853 PGresult *res;
854
855 res = conn->result;
856 if (res)
857 {
858 /*
859 * If the pre-existing result is an ERROR (presumably something
860 * received from the server), assume that it represents whatever is in
861 * conn->errorMessage, and advance errorReported.
862 */
865 }
866 else
867 {
868 /*
869 * We get here after internal-to-libpq errors. We should probably
870 * always have error_result = true, but if we don't, gin up some error
871 * text.
872 */
873 if (!conn->error_result)
874 libpq_append_conn_error(conn, "no error text available");
875
876 /* Paranoia: be sure errorReported offset is sane */
877 if (conn->errorReported < 0 ||
879 conn->errorReported = 0;
880
881 /*
882 * Make a PGresult struct for the error. We temporarily lie about the
883 * result status, so that PQmakeEmptyPGresult doesn't uselessly copy
884 * all of conn->errorMessage.
885 */
887 if (res)
888 {
889 /*
890 * Report whatever new error text we have, and advance
891 * errorReported.
892 */
896 }
897 else
898 {
899 /*
900 * Ouch, not enough memory for a PGresult. Fortunately, we have a
901 * card up our sleeve: we can use the static OOM_result. Casting
902 * away const here is a bit ugly, but it seems best to declare
903 * OOM_result as const, in hopes it will be allocated in read-only
904 * storage.
905 */
906 res = unconstify(PGresult *, &OOM_result);
907
908 /*
909 * Don't advance errorReported. Perhaps we'll be able to report
910 * the text later.
911 */
912 }
913 }
914
915 /*
916 * Replace conn->result with saved_result, if any. In the normal case
917 * there isn't a saved result and we're just dropping ownership of the
918 * current result. In partial-result mode this restores the situation to
919 * what it was before we created the current partial result.
920 */
922 conn->error_result = false; /* saved_result is never an error */
923 conn->saved_result = NULL;
924
925 return res;
926}
927
928/*
929 * pqInternalNotice - produce an internally-generated notice message
930 *
931 * A format string and optional arguments can be passed. Note that we do
932 * libpq_gettext() here, so callers need not.
933 *
934 * The supplied text is taken as primary message (ie., it should not include
935 * a trailing newline, and should not be more than one line).
936 */
937void
938pqInternalNotice(const PGNoticeHooks *hooks, const char *fmt,...)
939{
940 char msgBuf[1024];
941 va_list args;
942 PGresult *res;
943
944 if (hooks->noticeRec == NULL)
945 return; /* nobody home to receive notice? */
946
947 /* Format the message */
948 va_start(args, fmt);
949 vsnprintf(msgBuf, sizeof(msgBuf), libpq_gettext(fmt), args);
950 va_end(args);
951 msgBuf[sizeof(msgBuf) - 1] = '\0'; /* make real sure it's terminated */
952
953 /* Make a PGresult to pass to the notice receiver */
955 if (!res)
956 return;
957 res->noticeHooks = *hooks;
958
959 /*
960 * Set up fields of notice.
961 */
965 /* XXX should provide a SQLSTATE too? */
966
967 /*
968 * Result text is always just the primary message + newline. If we can't
969 * allocate it, substitute "out of memory", as in pqSetResultError.
970 */
971 res->errMsg = (char *) pqResultAlloc(res, strlen(msgBuf) + 2, false);
972 if (res->errMsg)
973 sprintf(res->errMsg, "%s\n", msgBuf);
974 else
975 res->errMsg = libpq_gettext("out of memory\n");
976
977 /*
978 * Pass to receiver, then free it.
979 */
981 PQclear(res);
982}
983
984/*
985 * pqAddTuple
986 * add a row pointer to the PGresult structure, growing it if necessary
987 * Returns true if OK, false if an error prevented adding the row
988 *
989 * On error, *errmsgp can be set to an error string to be returned.
990 * If it is left NULL, the error is presumed to be "out of memory".
991 */
992static bool
993pqAddTuple(PGresult *res, PGresAttValue *tup, const char **errmsgp)
994{
995 if (res->ntups >= res->tupArrSize)
996 {
997 /*
998 * Try to grow the array.
999 *
1000 * We can use realloc because shallow copying of the structure is
1001 * okay. Note that the first time through, res->tuples is NULL. While
1002 * ANSI says that realloc() should act like malloc() in that case,
1003 * some old C libraries (like SunOS 4.1.x) coredump instead. On
1004 * failure realloc is supposed to return NULL without damaging the
1005 * existing allocation. Note that the positions beyond res->ntups are
1006 * garbage, not necessarily NULL.
1007 */
1008 int newSize;
1009 PGresAttValue **newTuples;
1010
1011 /*
1012 * Since we use integers for row numbers, we can't support more than
1013 * INT_MAX rows. Make sure we allow that many, though.
1014 */
1015 if (res->tupArrSize <= INT_MAX / 2)
1016 newSize = (res->tupArrSize > 0) ? res->tupArrSize * 2 : 128;
1017 else if (res->tupArrSize < INT_MAX)
1018 newSize = INT_MAX;
1019 else
1020 {
1021 *errmsgp = libpq_gettext("PGresult cannot support more than INT_MAX tuples");
1022 return false;
1023 }
1024
1025 /*
1026 * Also, on 32-bit platforms we could, in theory, overflow size_t even
1027 * before newSize gets to INT_MAX. (In practice we'd doubtless hit
1028 * OOM long before that, but let's check.)
1029 */
1030#if INT_MAX >= (SIZE_MAX / 2)
1031 if (newSize > SIZE_MAX / sizeof(PGresAttValue *))
1032 {
1033 *errmsgp = libpq_gettext("size_t overflow");
1034 return false;
1035 }
1036#endif
1037
1038 if (res->tuples == NULL)
1039 newTuples = (PGresAttValue **)
1040 malloc(newSize * sizeof(PGresAttValue *));
1041 else
1042 newTuples = (PGresAttValue **)
1043 realloc(res->tuples, newSize * sizeof(PGresAttValue *));
1044 if (!newTuples)
1045 return false; /* malloc or realloc failed */
1046 res->memorySize +=
1047 (newSize - res->tupArrSize) * sizeof(PGresAttValue *);
1048 res->tupArrSize = newSize;
1049 res->tuples = newTuples;
1050 }
1051 res->tuples[res->ntups] = tup;
1052 res->ntups++;
1053 return true;
1054}
1055
1056/*
1057 * pqSaveMessageField - save one field of an error or notice message
1058 */
1059void
1060pqSaveMessageField(PGresult *res, char code, const char *value)
1061{
1062 PGMessageField *pfield;
1063
1064 pfield = (PGMessageField *)
1065 pqResultAlloc(res,
1066 offsetof(PGMessageField, contents) +
1067 strlen(value) + 1,
1068 true);
1069 if (!pfield)
1070 return; /* out of memory? */
1071 pfield->code = code;
1072 strcpy(pfield->contents, value);
1073 pfield->next = res->errFields;
1074 res->errFields = pfield;
1075}
1076
1077/*
1078 * pqSaveParameterStatus - remember parameter status sent by backend
1079 *
1080 * Returns 1 on success, 0 on out-of-memory. (Note that on out-of-memory, we
1081 * have already released the old value of the parameter, if any. The only
1082 * really safe way to recover is to terminate the connection.)
1083 */
1084int
1085pqSaveParameterStatus(PGconn *conn, const char *name, const char *value)
1086{
1087 pgParameterStatus *pstatus;
1088 pgParameterStatus *prev;
1089
1090 /*
1091 * Forget any old information about the parameter
1092 */
1093 for (pstatus = conn->pstatus, prev = NULL;
1094 pstatus != NULL;
1095 prev = pstatus, pstatus = pstatus->next)
1096 {
1097 if (strcmp(pstatus->name, name) == 0)
1098 {
1099 if (prev)
1100 prev->next = pstatus->next;
1101 else
1102 conn->pstatus = pstatus->next;
1103 free(pstatus); /* frees name and value strings too */
1104 break;
1105 }
1106 }
1107
1108 /*
1109 * Store new info as a single malloc block
1110 */
1111 pstatus = (pgParameterStatus *) malloc(sizeof(pgParameterStatus) +
1112 strlen(name) + strlen(value) + 2);
1113 if (pstatus)
1114 {
1115 char *ptr;
1116
1117 ptr = ((char *) pstatus) + sizeof(pgParameterStatus);
1118 pstatus->name = ptr;
1119 strcpy(ptr, name);
1120 ptr += strlen(name) + 1;
1121 pstatus->value = ptr;
1122 strcpy(ptr, value);
1123 pstatus->next = conn->pstatus;
1124 conn->pstatus = pstatus;
1125 }
1126 else
1127 {
1128 /* out of memory */
1129 return 0;
1130 }
1131
1132 /*
1133 * Save values of settings that are of interest to libpq in fields of the
1134 * PGconn object. We keep client_encoding and standard_conforming_strings
1135 * in static variables as well, so that PQescapeString and PQescapeBytea
1136 * can behave somewhat sanely (at least in single-connection-using
1137 * programs).
1138 */
1139 if (strcmp(name, "client_encoding") == 0)
1140 {
1142 /* if we don't recognize the encoding name, fall back to SQL_ASCII */
1143 if (conn->client_encoding < 0)
1146 }
1147 else if (strcmp(name, "standard_conforming_strings") == 0)
1148 {
1149 conn->std_strings = (strcmp(value, "on") == 0);
1151 }
1152 else if (strcmp(name, "server_version") == 0)
1153 {
1154 /* We convert the server version to numeric form. */
1155 int cnt;
1156 int vmaj,
1157 vmin,
1158 vrev;
1159
1160 cnt = sscanf(value, "%d.%d.%d", &vmaj, &vmin, &vrev);
1161
1162 if (cnt == 3)
1163 {
1164 /* old style, e.g. 9.6.1 */
1165 conn->sversion = (100 * vmaj + vmin) * 100 + vrev;
1166 }
1167 else if (cnt == 2)
1168 {
1169 if (vmaj >= 10)
1170 {
1171 /* new style, e.g. 10.1 */
1172 conn->sversion = 100 * 100 * vmaj + vmin;
1173 }
1174 else
1175 {
1176 /* old style without minor version, e.g. 9.6devel */
1177 conn->sversion = (100 * vmaj + vmin) * 100;
1178 }
1179 }
1180 else if (cnt == 1)
1181 {
1182 /* new style without minor version, e.g. 10devel */
1183 conn->sversion = 100 * 100 * vmaj;
1184 }
1185 else
1186 conn->sversion = 0; /* unknown */
1187 }
1188 else if (strcmp(name, "default_transaction_read_only") == 0)
1189 {
1191 (strcmp(value, "on") == 0) ? PG_BOOL_YES : PG_BOOL_NO;
1192 }
1193 else if (strcmp(name, "in_hot_standby") == 0)
1194 {
1196 (strcmp(value, "on") == 0) ? PG_BOOL_YES : PG_BOOL_NO;
1197 }
1198 else if (strcmp(name, "scram_iterations") == 0)
1199 {
1201 }
1202
1203 return 1;
1204}
1205
1206
1207/*
1208 * pqRowProcessor
1209 * Add the received row to the current async result (conn->result).
1210 * Returns 1 if OK, 0 if error occurred.
1211 *
1212 * On error, *errmsgp can be set to an error string to be returned.
1213 * (Such a string should already be translated via libpq_gettext().)
1214 * If it is left NULL, the error is presumed to be "out of memory".
1215 */
1216int
1217pqRowProcessor(PGconn *conn, const char **errmsgp)
1218{
1219 PGresult *res = conn->result;
1220 int nfields = res->numAttributes;
1221 const PGdataValue *columns = conn->rowBuf;
1222 PGresAttValue *tup;
1223 int i;
1224
1225 /*
1226 * In partial-result mode, if we don't already have a partial PGresult
1227 * then make one by cloning conn->result (which should hold the correct
1228 * result metadata by now). Then the original conn->result is moved over
1229 * to saved_result so that we can re-use it as a reference for future
1230 * partial results. The saved result will become active again after
1231 * pqPrepareAsyncResult() returns the partial result to the application.
1232 */
1233 if (conn->partialResMode && conn->saved_result == NULL)
1234 {
1235 /* Copy everything that should be in the result at this point */
1236 res = PQcopyResult(res,
1239 if (!res)
1240 return 0;
1241 /* Change result status to appropriate special value */
1243 /* And stash it as the active result */
1245 conn->result = res;
1246 }
1247
1248 /*
1249 * Basically we just allocate space in the PGresult for each field and
1250 * copy the data over.
1251 *
1252 * Note: on malloc failure, we return 0 leaving *errmsgp still NULL, which
1253 * caller will take to mean "out of memory". This is preferable to trying
1254 * to set up such a message here, because evidently there's not enough
1255 * memory for gettext() to do anything.
1256 */
1257 tup = (PGresAttValue *)
1258 pqResultAlloc(res, nfields * sizeof(PGresAttValue), true);
1259 if (tup == NULL)
1260 return 0;
1261
1262 for (i = 0; i < nfields; i++)
1263 {
1264 int clen = columns[i].len;
1265
1266 if (clen < 0)
1267 {
1268 /* null field */
1269 tup[i].len = NULL_LEN;
1270 tup[i].value = res->null_field;
1271 }
1272 else
1273 {
1274 bool isbinary = (res->attDescs[i].format != 0);
1275 char *val;
1276
1277 val = (char *) pqResultAlloc(res, clen + 1, isbinary);
1278 if (val == NULL)
1279 return 0;
1280
1281 /* copy and zero-terminate the data (even if it's binary) */
1282 memcpy(val, columns[i].value, clen);
1283 val[clen] = '\0';
1284
1285 tup[i].len = clen;
1286 tup[i].value = val;
1287 }
1288 }
1289
1290 /* And add the tuple to the PGresult's tuple array */
1291 if (!pqAddTuple(res, tup, errmsgp))
1292 return 0;
1293
1294 /*
1295 * Success. In partial-result mode, if we have enough rows then make the
1296 * result available to the client immediately.
1297 */
1298 if (conn->partialResMode && res->ntups >= conn->maxChunkSize)
1300
1301 return 1;
1302}
1303
1304
1305/*
1306 * pqAllocCmdQueueEntry
1307 * Get a command queue entry for caller to fill.
1308 *
1309 * If the recycle queue has a free element, that is returned; if not, a
1310 * fresh one is allocated. Caller is responsible for adding it to the
1311 * command queue (pqAppendCmdQueueEntry) once the struct is filled in, or
1312 * releasing the memory (pqRecycleCmdQueueEntry) if an error occurs.
1313 *
1314 * If allocation fails, sets the error message and returns NULL.
1315 */
1316static PGcmdQueueEntry *
1318{
1319 PGcmdQueueEntry *entry;
1320
1321 if (conn->cmd_queue_recycle == NULL)
1322 {
1323 entry = (PGcmdQueueEntry *) malloc(sizeof(PGcmdQueueEntry));
1324 if (entry == NULL)
1325 {
1326 libpq_append_conn_error(conn, "out of memory");
1327 return NULL;
1328 }
1329 }
1330 else
1331 {
1332 entry = conn->cmd_queue_recycle;
1333 conn->cmd_queue_recycle = entry->next;
1334 }
1335 entry->next = NULL;
1336 entry->query = NULL;
1337
1338 return entry;
1339}
1340
1341/*
1342 * pqAppendCmdQueueEntry
1343 * Append a caller-allocated entry to the command queue, and update
1344 * conn->asyncStatus to account for it.
1345 *
1346 * The query itself must already have been put in the output buffer by the
1347 * caller.
1348 */
1349static void
1351{
1352 Assert(entry->next == NULL);
1353
1354 if (conn->cmd_queue_head == NULL)
1355 conn->cmd_queue_head = entry;
1356 else
1357 conn->cmd_queue_tail->next = entry;
1358
1359 conn->cmd_queue_tail = entry;
1360
1361 switch (conn->pipelineStatus)
1362 {
1363 case PQ_PIPELINE_OFF:
1364 case PQ_PIPELINE_ON:
1365
1366 /*
1367 * When not in pipeline aborted state, if there's a result ready
1368 * to be consumed, let it be so (that is, don't change away from
1369 * READY or READY_MORE); otherwise set us busy to wait for
1370 * something to arrive from the server.
1371 */
1374 break;
1375
1377
1378 /*
1379 * In aborted pipeline state, we don't expect anything from the
1380 * server (since we don't send any queries that are queued).
1381 * Therefore, if IDLE then do what PQgetResult would do to let
1382 * itself consume commands from the queue; if we're in any other
1383 * state, we don't have to do anything.
1384 */
1385 if (conn->asyncStatus == PGASYNC_IDLE ||
1388 break;
1389 }
1390}
1391
1392/*
1393 * pqRecycleCmdQueueEntry
1394 * Push a command queue entry onto the freelist.
1395 */
1396static void
1398{
1399 if (entry == NULL)
1400 return;
1401
1402 /* recyclable entries should not have a follow-on command */
1403 Assert(entry->next == NULL);
1404
1405 if (entry->query)
1406 {
1407 free(entry->query);
1408 entry->query = NULL;
1409 }
1410
1411 entry->next = conn->cmd_queue_recycle;
1412 conn->cmd_queue_recycle = entry;
1413}
1414
1415
1416/*
1417 * PQsendQuery
1418 * Submit a query, but don't wait for it to finish
1419 *
1420 * Returns: 1 if successfully submitted
1421 * 0 if error (conn->errorMessage is set)
1422 *
1423 * PQsendQueryContinue is a non-exported version that behaves identically
1424 * except that it doesn't reset conn->errorMessage.
1425 */
1426int
1427PQsendQuery(PGconn *conn, const char *query)
1428{
1429 return PQsendQueryInternal(conn, query, true);
1430}
1431
1432int
1433PQsendQueryContinue(PGconn *conn, const char *query)
1434{
1435 return PQsendQueryInternal(conn, query, false);
1436}
1437
1438static int
1439PQsendQueryInternal(PGconn *conn, const char *query, bool newQuery)
1440{
1441 PGcmdQueueEntry *entry = NULL;
1442
1443 if (!PQsendQueryStart(conn, newQuery))
1444 return 0;
1445
1446 /* check the argument */
1447 if (!query)
1448 {
1449 libpq_append_conn_error(conn, "command string is a null pointer");
1450 return 0;
1451 }
1452
1454 {
1455 libpq_append_conn_error(conn, "%s not allowed in pipeline mode",
1456 "PQsendQuery");
1457 return 0;
1458 }
1459
1460 entry = pqAllocCmdQueueEntry(conn);
1461 if (entry == NULL)
1462 return 0; /* error msg already set */
1463
1464 /* Send the query message(s) */
1465 /* construct the outgoing Query message */
1466 if (pqPutMsgStart(PqMsg_Query, conn) < 0 ||
1467 pqPuts(query, conn) < 0 ||
1468 pqPutMsgEnd(conn) < 0)
1469 {
1470 /* error message should be set up already */
1472 return 0;
1473 }
1474
1475 /* remember we are using simple query protocol */
1476 entry->queryclass = PGQUERY_SIMPLE;
1477 /* and remember the query text too, if possible */
1478 entry->query = strdup(query);
1479
1480 /*
1481 * Give the data a push. In nonblock mode, don't complain if we're unable
1482 * to send it all; PQgetResult() will do any additional flushing needed.
1483 */
1484 if (pqFlush(conn) < 0)
1485 goto sendFailed;
1486
1487 /* OK, it's launched! */
1489
1490 return 1;
1491
1492sendFailed:
1494 /* error message should be set up already */
1495 return 0;
1496}
1497
1498/*
1499 * PQsendQueryParams
1500 * Like PQsendQuery, but use extended query protocol so we can pass parameters
1501 */
1502int
1504 const char *command,
1505 int nParams,
1506 const Oid *paramTypes,
1507 const char *const *paramValues,
1508 const int *paramLengths,
1509 const int *paramFormats,
1510 int resultFormat)
1511{
1512 if (!PQsendQueryStart(conn, true))
1513 return 0;
1514
1515 /* check the arguments */
1516 if (!command)
1517 {
1518 libpq_append_conn_error(conn, "command string is a null pointer");
1519 return 0;
1520 }
1521 if (nParams < 0 || nParams > PQ_QUERY_PARAM_MAX_LIMIT)
1522 {
1523 libpq_append_conn_error(conn, "number of parameters must be between 0 and %d",
1525 return 0;
1526 }
1527
1528 return PQsendQueryGuts(conn,
1529 command,
1530 "", /* use unnamed statement */
1531 nParams,
1532 paramTypes,
1533 paramValues,
1534 paramLengths,
1535 paramFormats,
1536 resultFormat);
1537}
1538
1539/*
1540 * PQsendPrepare
1541 * Submit a Parse message, but don't wait for it to finish
1542 *
1543 * Returns: 1 if successfully submitted
1544 * 0 if error (conn->errorMessage is set)
1545 */
1546int
1548 const char *stmtName, const char *query,
1549 int nParams, const Oid *paramTypes)
1550{
1551 PGcmdQueueEntry *entry = NULL;
1552
1553 if (!PQsendQueryStart(conn, true))
1554 return 0;
1555
1556 /* check the arguments */
1557 if (!stmtName)
1558 {
1559 libpq_append_conn_error(conn, "statement name is a null pointer");
1560 return 0;
1561 }
1562 if (!query)
1563 {
1564 libpq_append_conn_error(conn, "command string is a null pointer");
1565 return 0;
1566 }
1567 if (nParams < 0 || nParams > PQ_QUERY_PARAM_MAX_LIMIT)
1568 {
1569 libpq_append_conn_error(conn, "number of parameters must be between 0 and %d",
1571 return 0;
1572 }
1573
1574 entry = pqAllocCmdQueueEntry(conn);
1575 if (entry == NULL)
1576 return 0; /* error msg already set */
1577
1578 /* construct the Parse message */
1579 if (pqPutMsgStart(PqMsg_Parse, conn) < 0 ||
1580 pqPuts(stmtName, conn) < 0 ||
1581 pqPuts(query, conn) < 0)
1582 goto sendFailed;
1583
1584 if (nParams > 0 && paramTypes)
1585 {
1586 int i;
1587
1588 if (pqPutInt(nParams, 2, conn) < 0)
1589 goto sendFailed;
1590 for (i = 0; i < nParams; i++)
1591 {
1592 if (pqPutInt(paramTypes[i], 4, conn) < 0)
1593 goto sendFailed;
1594 }
1595 }
1596 else
1597 {
1598 if (pqPutInt(0, 2, conn) < 0)
1599 goto sendFailed;
1600 }
1601 if (pqPutMsgEnd(conn) < 0)
1602 goto sendFailed;
1603
1604 /* Add a Sync, unless in pipeline mode. */
1606 {
1607 if (pqPutMsgStart(PqMsg_Sync, conn) < 0 ||
1608 pqPutMsgEnd(conn) < 0)
1609 goto sendFailed;
1610 }
1611
1612 /* remember we are doing just a Parse */
1613 entry->queryclass = PGQUERY_PREPARE;
1614
1615 /* and remember the query text too, if possible */
1616 /* if insufficient memory, query just winds up NULL */
1617 entry->query = strdup(query);
1618
1619 /*
1620 * Give the data a push (in pipeline mode, only if we're past the size
1621 * threshold). In nonblock mode, don't complain if we're unable to send
1622 * it all; PQgetResult() will do any additional flushing needed.
1623 */
1624 if (pqPipelineFlush(conn) < 0)
1625 goto sendFailed;
1626
1627 /* OK, it's launched! */
1629
1630 return 1;
1631
1632sendFailed:
1634 /* error message should be set up already */
1635 return 0;
1636}
1637
1638/*
1639 * PQsendQueryPrepared
1640 * Like PQsendQuery, but execute a previously prepared statement,
1641 * using extended query protocol so we can pass parameters
1642 */
1643int
1645 const char *stmtName,
1646 int nParams,
1647 const char *const *paramValues,
1648 const int *paramLengths,
1649 const int *paramFormats,
1650 int resultFormat)
1651{
1652 if (!PQsendQueryStart(conn, true))
1653 return 0;
1654
1655 /* check the arguments */
1656 if (!stmtName)
1657 {
1658 libpq_append_conn_error(conn, "statement name is a null pointer");
1659 return 0;
1660 }
1661 if (nParams < 0 || nParams > PQ_QUERY_PARAM_MAX_LIMIT)
1662 {
1663 libpq_append_conn_error(conn, "number of parameters must be between 0 and %d",
1665 return 0;
1666 }
1667
1668 return PQsendQueryGuts(conn,
1669 NULL, /* no command to parse */
1670 stmtName,
1671 nParams,
1672 NULL, /* no param types */
1673 paramValues,
1674 paramLengths,
1675 paramFormats,
1676 resultFormat);
1677}
1678
1679/*
1680 * PQsendQueryStart
1681 * Common startup code for PQsendQuery and sibling routines
1682 */
1683static bool
1685{
1686 if (!conn)
1687 return false;
1688
1689 /*
1690 * If this is the beginning of a query cycle, reset the error state.
1691 * However, in pipeline mode with something already queued, the error
1692 * buffer belongs to that command and we shouldn't clear it.
1693 */
1694 if (newQuery && conn->cmd_queue_head == NULL)
1696
1697 /* Don't try to send if we know there's no live connection. */
1698 if (conn->status != CONNECTION_OK)
1699 {
1700 libpq_append_conn_error(conn, "no connection to the server");
1701 return false;
1702 }
1703
1704 /* Can't send while already busy, either, unless enqueuing for later */
1705 if (conn->asyncStatus != PGASYNC_IDLE &&
1707 {
1708 libpq_append_conn_error(conn, "another command is already in progress");
1709 return false;
1710 }
1711
1713 {
1714 /*
1715 * When enqueuing commands we don't change much of the connection
1716 * state since it's already in use for the current command. The
1717 * connection state will get updated when pqPipelineProcessQueue()
1718 * advances to start processing the queued message.
1719 *
1720 * Just make sure we can safely enqueue given the current connection
1721 * state. We can enqueue behind another queue item, or behind a
1722 * non-queue command (one that sends its own sync), but we can't
1723 * enqueue if the connection is in a copy state.
1724 */
1725 switch (conn->asyncStatus)
1726 {
1727 case PGASYNC_IDLE:
1729 case PGASYNC_READY:
1730 case PGASYNC_READY_MORE:
1731 case PGASYNC_BUSY:
1732 /* ok to queue */
1733 break;
1734
1735 case PGASYNC_COPY_IN:
1736 case PGASYNC_COPY_OUT:
1737 case PGASYNC_COPY_BOTH:
1738 libpq_append_conn_error(conn, "cannot queue commands during COPY");
1739 return false;
1740 }
1741 }
1742 else
1743 {
1744 /*
1745 * This command's results will come in immediately. Initialize async
1746 * result-accumulation state
1747 */
1749
1750 /* reset partial-result mode */
1751 conn->partialResMode = false;
1752 conn->singleRowMode = false;
1753 conn->maxChunkSize = 0;
1754 }
1755
1756 /* ready to send command message */
1757 return true;
1758}
1759
1760/*
1761 * PQsendQueryGuts
1762 * Common code for sending a query with extended query protocol
1763 * PQsendQueryStart should be done already
1764 *
1765 * command may be NULL to indicate we use an already-prepared statement
1766 */
1767static int
1769 const char *command,
1770 const char *stmtName,
1771 int nParams,
1772 const Oid *paramTypes,
1773 const char *const *paramValues,
1774 const int *paramLengths,
1775 const int *paramFormats,
1776 int resultFormat)
1777{
1778 int i;
1779 PGcmdQueueEntry *entry;
1780
1781 entry = pqAllocCmdQueueEntry(conn);
1782 if (entry == NULL)
1783 return 0; /* error msg already set */
1784
1785 /*
1786 * We will send Parse (if needed), Bind, Describe Portal, Execute, Sync
1787 * (if not in pipeline mode), using specified statement name and the
1788 * unnamed portal.
1789 */
1790
1791 if (command)
1792 {
1793 /* construct the Parse message */
1794 if (pqPutMsgStart(PqMsg_Parse, conn) < 0 ||
1795 pqPuts(stmtName, conn) < 0 ||
1796 pqPuts(command, conn) < 0)
1797 goto sendFailed;
1798 if (nParams > 0 && paramTypes)
1799 {
1800 if (pqPutInt(nParams, 2, conn) < 0)
1801 goto sendFailed;
1802 for (i = 0; i < nParams; i++)
1803 {
1804 if (pqPutInt(paramTypes[i], 4, conn) < 0)
1805 goto sendFailed;
1806 }
1807 }
1808 else
1809 {
1810 if (pqPutInt(0, 2, conn) < 0)
1811 goto sendFailed;
1812 }
1813 if (pqPutMsgEnd(conn) < 0)
1814 goto sendFailed;
1815 }
1816
1817 /* Construct the Bind message */
1818 if (pqPutMsgStart(PqMsg_Bind, conn) < 0 ||
1819 pqPuts("", conn) < 0 ||
1820 pqPuts(stmtName, conn) < 0)
1821 goto sendFailed;
1822
1823 /* Send parameter formats */
1824 if (nParams > 0 && paramFormats)
1825 {
1826 if (pqPutInt(nParams, 2, conn) < 0)
1827 goto sendFailed;
1828 for (i = 0; i < nParams; i++)
1829 {
1830 if (pqPutInt(paramFormats[i], 2, conn) < 0)
1831 goto sendFailed;
1832 }
1833 }
1834 else
1835 {
1836 if (pqPutInt(0, 2, conn) < 0)
1837 goto sendFailed;
1838 }
1839
1840 if (pqPutInt(nParams, 2, conn) < 0)
1841 goto sendFailed;
1842
1843 /* Send parameters */
1844 for (i = 0; i < nParams; i++)
1845 {
1846 if (paramValues && paramValues[i])
1847 {
1848 int nbytes;
1849
1850 if (paramFormats && paramFormats[i] != 0)
1851 {
1852 /* binary parameter */
1853 if (paramLengths)
1854 nbytes = paramLengths[i];
1855 else
1856 {
1857 libpq_append_conn_error(conn, "length must be given for binary parameter");
1858 goto sendFailed;
1859 }
1860 }
1861 else
1862 {
1863 /* text parameter, do not use paramLengths */
1864 nbytes = strlen(paramValues[i]);
1865 }
1866 if (pqPutInt(nbytes, 4, conn) < 0 ||
1867 pqPutnchar(paramValues[i], nbytes, conn) < 0)
1868 goto sendFailed;
1869 }
1870 else
1871 {
1872 /* take the param as NULL */
1873 if (pqPutInt(-1, 4, conn) < 0)
1874 goto sendFailed;
1875 }
1876 }
1877 if (pqPutInt(1, 2, conn) < 0 ||
1878 pqPutInt(resultFormat, 2, conn))
1879 goto sendFailed;
1880 if (pqPutMsgEnd(conn) < 0)
1881 goto sendFailed;
1882
1883 /* construct the Describe Portal message */
1884 if (pqPutMsgStart(PqMsg_Describe, conn) < 0 ||
1885 pqPutc('P', conn) < 0 ||
1886 pqPuts("", conn) < 0 ||
1887 pqPutMsgEnd(conn) < 0)
1888 goto sendFailed;
1889
1890 /* construct the Execute message */
1891 if (pqPutMsgStart(PqMsg_Execute, conn) < 0 ||
1892 pqPuts("", conn) < 0 ||
1893 pqPutInt(0, 4, conn) < 0 ||
1894 pqPutMsgEnd(conn) < 0)
1895 goto sendFailed;
1896
1897 /* construct the Sync message if not in pipeline mode */
1899 {
1900 if (pqPutMsgStart(PqMsg_Sync, conn) < 0 ||
1901 pqPutMsgEnd(conn) < 0)
1902 goto sendFailed;
1903 }
1904
1905 /* remember we are using extended query protocol */
1907
1908 /* and remember the query text too, if possible */
1909 /* if insufficient memory, query just winds up NULL */
1910 if (command)
1911 entry->query = strdup(command);
1912
1913 /*
1914 * Give the data a push (in pipeline mode, only if we're past the size
1915 * threshold). In nonblock mode, don't complain if we're unable to send
1916 * it all; PQgetResult() will do any additional flushing needed.
1917 */
1918 if (pqPipelineFlush(conn) < 0)
1919 goto sendFailed;
1920
1921 /* OK, it's launched! */
1923
1924 return 1;
1925
1926sendFailed:
1928 /* error message should be set up already */
1929 return 0;
1930}
1931
1932/*
1933 * Is it OK to change partial-result mode now?
1934 */
1935static bool
1937{
1938 /*
1939 * Only allow changing the mode when we have launched a query and not yet
1940 * received any results.
1941 */
1942 if (!conn)
1943 return false;
1945 return false;
1946 if (!conn->cmd_queue_head ||
1949 return false;
1951 return false;
1952 return true;
1953}
1954
1955/*
1956 * Select row-by-row processing mode
1957 */
1958int
1960{
1962 {
1963 conn->partialResMode = true;
1964 conn->singleRowMode = true;
1965 conn->maxChunkSize = 1;
1966 return 1;
1967 }
1968 else
1969 return 0;
1970}
1971
1972/*
1973 * Select chunked results processing mode
1974 */
1975int
1977{
1978 if (chunkSize > 0 && canChangeResultMode(conn))
1979 {
1980 conn->partialResMode = true;
1981 conn->singleRowMode = false;
1982 conn->maxChunkSize = chunkSize;
1983 return 1;
1984 }
1985 else
1986 return 0;
1987}
1988
1989/*
1990 * Consume any available input from the backend
1991 * 0 return: some kind of trouble
1992 * 1 return: no problem
1993 */
1994int
1996{
1997 if (!conn)
1998 return 0;
1999
2000 /*
2001 * for non-blocking connections try to flush the send-queue, otherwise we
2002 * may never get a response for something that may not have already been
2003 * sent because it's in our write buffer!
2004 */
2005 if (pqIsnonblocking(conn))
2006 {
2007 if (pqFlush(conn) < 0)
2008 return 0;
2009 }
2010
2011 /*
2012 * Load more data, if available. We do this no matter what state we are
2013 * in, since we are probably getting called because the application wants
2014 * to get rid of a read-select condition. Note that we will NOT block
2015 * waiting for more input.
2016 */
2017 if (pqReadData(conn) < 0)
2018 return 0;
2019
2020 /* Parsing of the data waits till later. */
2021 return 1;
2022}
2023
2024
2025/*
2026 * parseInput: if appropriate, parse input data from backend
2027 * until input is exhausted or a stopping state is reached.
2028 * Note that this function will NOT attempt to read more data from the backend.
2029 */
2030static void
2032{
2034}
2035
2036/*
2037 * PQisBusy
2038 * Return true if PQgetResult would block waiting for input.
2039 */
2040
2041int
2043{
2044 if (!conn)
2045 return false;
2046
2047 /* Parse any available data, if our state permits. */
2049
2050 /*
2051 * PQgetResult will return immediately in all states except BUSY. Also,
2052 * if we've detected read EOF and dropped the connection, we can expect
2053 * that PQgetResult will fail immediately. Note that we do *not* check
2054 * conn->write_failed here --- once that's become set, we know we have
2055 * trouble, but we need to keep trying to read until we have a complete
2056 * server message or detect read EOF.
2057 */
2059}
2060
2061/*
2062 * PQgetResult
2063 * Get the next PGresult produced by a query. Returns NULL if no
2064 * query work remains or an error has occurred (e.g. out of
2065 * memory).
2066 *
2067 * In pipeline mode, once all the result of a query have been returned,
2068 * PQgetResult returns NULL to let the user know that the next
2069 * query is being processed. At the end of the pipeline, returns a
2070 * result with PQresultStatus(result) == PGRES_PIPELINE_SYNC.
2071 */
2072PGresult *
2074{
2075 PGresult *res;
2076
2077 if (!conn)
2078 return NULL;
2079
2080 /* Parse any available data, if our state permits. */
2082
2083 /* If not ready to return something, block until we are. */
2084 while (conn->asyncStatus == PGASYNC_BUSY)
2085 {
2086 int flushResult;
2087
2088 /*
2089 * If data remains unsent, send it. Else we might be waiting for the
2090 * result of a command the backend hasn't even got yet.
2091 */
2092 while ((flushResult = pqFlush(conn)) > 0)
2093 {
2094 if (pqWait(false, true, conn))
2095 {
2096 flushResult = -1;
2097 break;
2098 }
2099 }
2100
2101 /*
2102 * Wait for some more data, and load it. (Note: if the connection has
2103 * been lost, pqWait should return immediately because the socket
2104 * should be read-ready, either with the last server data or with an
2105 * EOF indication. We expect therefore that this won't result in any
2106 * undue delay in reporting a previous write failure.)
2107 */
2108 if (flushResult ||
2109 pqWait(true, false, conn) ||
2110 pqReadData(conn) < 0)
2111 {
2112 /* Report the error saved by pqWait or pqReadData */
2115 return pqPrepareAsyncResult(conn);
2116 }
2117
2118 /* Parse it. */
2120
2121 /*
2122 * If we had a write error, but nothing above obtained a query result
2123 * or detected a read error, report the write error.
2124 */
2126 {
2129 return pqPrepareAsyncResult(conn);
2130 }
2131 }
2132
2133 /* Return the appropriate thing. */
2134 switch (conn->asyncStatus)
2135 {
2136 case PGASYNC_IDLE:
2137 res = NULL; /* query is complete */
2138 break;
2141
2142 /*
2143 * We're about to return the NULL that terminates the round of
2144 * results from the current query; prepare to send the results of
2145 * the next query, if any, when we're called next. If there's no
2146 * next element in the command queue, this gets us in IDLE state.
2147 */
2149 res = NULL; /* query is complete */
2150 break;
2151
2152 case PGASYNC_READY:
2154
2155 /*
2156 * Normally pqPrepareAsyncResult will have left conn->result
2157 * empty. Otherwise, "res" must be a not-full PGRES_TUPLES_CHUNK
2158 * result, which we want to return to the caller while staying in
2159 * PGASYNC_READY state. Then the next call here will return the
2160 * empty PGRES_TUPLES_OK result that was restored from
2161 * saved_result, after which we can proceed.
2162 */
2163 if (conn->result)
2164 {
2166 break;
2167 }
2168
2169 /* Advance the queue as appropriate */
2172
2174 {
2175 /*
2176 * We're about to send the results of the current query. Set
2177 * us idle now, and ...
2178 */
2180
2181 /*
2182 * ... in cases when we're sending a pipeline-sync result,
2183 * move queue processing forwards immediately, so that next
2184 * time we're called, we're prepared to return the next result
2185 * received from the server. In all other cases, leave the
2186 * queue state change for next time, so that a terminating
2187 * NULL result is sent.
2188 *
2189 * (In other words: we don't return a NULL after a pipeline
2190 * sync.)
2191 */
2194 }
2195 else
2196 {
2197 /* Set the state back to BUSY, allowing parsing to proceed. */
2199 }
2200 break;
2201 case PGASYNC_READY_MORE:
2203 /* Set the state back to BUSY, allowing parsing to proceed. */
2205 break;
2206 case PGASYNC_COPY_IN:
2208 break;
2209 case PGASYNC_COPY_OUT:
2211 break;
2212 case PGASYNC_COPY_BOTH:
2214 break;
2215 default:
2216 libpq_append_conn_error(conn, "unexpected asyncStatus: %d", (int) conn->asyncStatus);
2218 conn->asyncStatus = PGASYNC_IDLE; /* try to restore valid state */
2220 break;
2221 }
2222
2223 /* Time to fire PGEVT_RESULTCREATE events, if there are any */
2224 if (res && res->nEvents > 0)
2225 (void) PQfireResultCreateEvents(conn, res);
2226
2227 return res;
2228}
2229
2230/*
2231 * getCopyResult
2232 * Helper for PQgetResult: generate result for COPY-in-progress cases
2233 */
2234static PGresult *
2236{
2237 /*
2238 * If the server connection has been lost, don't pretend everything is
2239 * hunky-dory; instead return a PGRES_FATAL_ERROR result, and reset the
2240 * asyncStatus to idle (corresponding to what we'd do if we'd detected I/O
2241 * error in the earlier steps in PQgetResult). The text returned in the
2242 * result is whatever is in conn->errorMessage; we hope that was filled
2243 * with something relevant when the lost connection was detected.
2244 */
2245 if (conn->status != CONNECTION_OK)
2246 {
2249 return pqPrepareAsyncResult(conn);
2250 }
2251
2252 /* If we have an async result for the COPY, return that */
2253 if (conn->result && conn->result->resultStatus == copytype)
2254 return pqPrepareAsyncResult(conn);
2255
2256 /* Otherwise, invent a suitable PGresult */
2257 return PQmakeEmptyPGresult(conn, copytype);
2258}
2259
2260
2261/*
2262 * PQexec
2263 * send a query to the backend and package up the result in a PGresult
2264 *
2265 * If the query was not even sent, return NULL; conn->errorMessage is set to
2266 * a relevant message.
2267 * If the query was sent, a new PGresult is returned (which could indicate
2268 * either success or failure).
2269 * The user is responsible for freeing the PGresult via PQclear()
2270 * when done with it.
2271 */
2272PGresult *
2273PQexec(PGconn *conn, const char *query)
2274{
2275 if (!PQexecStart(conn))
2276 return NULL;
2277 if (!PQsendQuery(conn, query))
2278 return NULL;
2279 return PQexecFinish(conn);
2280}
2281
2282/*
2283 * PQexecParams
2284 * Like PQexec, but use extended query protocol so we can pass parameters
2285 */
2286PGresult *
2288 const char *command,
2289 int nParams,
2290 const Oid *paramTypes,
2291 const char *const *paramValues,
2292 const int *paramLengths,
2293 const int *paramFormats,
2294 int resultFormat)
2295{
2296 if (!PQexecStart(conn))
2297 return NULL;
2298 if (!PQsendQueryParams(conn, command,
2299 nParams, paramTypes, paramValues, paramLengths,
2300 paramFormats, resultFormat))
2301 return NULL;
2302 return PQexecFinish(conn);
2303}
2304
2305/*
2306 * PQprepare
2307 * Creates a prepared statement by issuing a Parse message.
2308 *
2309 * If the query was not even sent, return NULL; conn->errorMessage is set to
2310 * a relevant message.
2311 * If the query was sent, a new PGresult is returned (which could indicate
2312 * either success or failure).
2313 * The user is responsible for freeing the PGresult via PQclear()
2314 * when done with it.
2315 */
2316PGresult *
2318 const char *stmtName, const char *query,
2319 int nParams, const Oid *paramTypes)
2320{
2321 if (!PQexecStart(conn))
2322 return NULL;
2323 if (!PQsendPrepare(conn, stmtName, query, nParams, paramTypes))
2324 return NULL;
2325 return PQexecFinish(conn);
2326}
2327
2328/*
2329 * PQexecPrepared
2330 * Like PQexec, but execute a previously prepared statement,
2331 * using extended query protocol so we can pass parameters
2332 */
2333PGresult *
2335 const char *stmtName,
2336 int nParams,
2337 const char *const *paramValues,
2338 const int *paramLengths,
2339 const int *paramFormats,
2340 int resultFormat)
2341{
2342 if (!PQexecStart(conn))
2343 return NULL;
2344 if (!PQsendQueryPrepared(conn, stmtName,
2345 nParams, paramValues, paramLengths,
2346 paramFormats, resultFormat))
2347 return NULL;
2348 return PQexecFinish(conn);
2349}
2350
2351/*
2352 * Common code for PQexec and sibling routines: prepare to send command
2353 */
2354static bool
2356{
2357 PGresult *result;
2358
2359 if (!conn)
2360 return false;
2361
2362 /*
2363 * Since this is the beginning of a query cycle, reset the error state.
2364 * However, in pipeline mode with something already queued, the error
2365 * buffer belongs to that command and we shouldn't clear it.
2366 */
2367 if (conn->cmd_queue_head == NULL)
2369
2371 {
2372 libpq_append_conn_error(conn, "synchronous command execution functions are not allowed in pipeline mode");
2373 return false;
2374 }
2375
2376 /*
2377 * Silently discard any prior query result that application didn't eat.
2378 * This is probably poor design, but it's here for backward compatibility.
2379 */
2380 while ((result = PQgetResult(conn)) != NULL)
2381 {
2382 ExecStatusType resultStatus = result->resultStatus;
2383
2384 PQclear(result); /* only need its status */
2385 if (resultStatus == PGRES_COPY_IN)
2386 {
2387 /* get out of a COPY IN state */
2388 if (PQputCopyEnd(conn,
2389 libpq_gettext("COPY terminated by new PQexec")) < 0)
2390 return false;
2391 /* keep waiting to swallow the copy's failure message */
2392 }
2393 else if (resultStatus == PGRES_COPY_OUT)
2394 {
2395 /*
2396 * Get out of a COPY OUT state: we just switch back to BUSY and
2397 * allow the remaining COPY data to be dropped on the floor.
2398 */
2400 /* keep waiting to swallow the copy's completion message */
2401 }
2402 else if (resultStatus == PGRES_COPY_BOTH)
2403 {
2404 /* We don't allow PQexec during COPY BOTH */
2405 libpq_append_conn_error(conn, "PQexec not allowed during COPY BOTH");
2406 return false;
2407 }
2408 /* check for loss of connection, too */
2409 if (conn->status == CONNECTION_BAD)
2410 return false;
2411 }
2412
2413 /* OK to send a command */
2414 return true;
2415}
2416
2417/*
2418 * Common code for PQexec and sibling routines: wait for command result
2419 */
2420static PGresult *
2422{
2423 PGresult *result;
2424 PGresult *lastResult;
2425
2426 /*
2427 * For backwards compatibility, return the last result if there are more
2428 * than one. (We used to have logic here to concatenate successive error
2429 * messages, but now that happens automatically, since conn->errorMessage
2430 * will continue to accumulate errors throughout this loop.)
2431 *
2432 * We have to stop if we see copy in/out/both, however. We will resume
2433 * parsing after application performs the data transfer.
2434 *
2435 * Also stop if the connection is lost (else we'll loop infinitely).
2436 */
2437 lastResult = NULL;
2438 while ((result = PQgetResult(conn)) != NULL)
2439 {
2440 PQclear(lastResult);
2441 lastResult = result;
2442 if (result->resultStatus == PGRES_COPY_IN ||
2443 result->resultStatus == PGRES_COPY_OUT ||
2444 result->resultStatus == PGRES_COPY_BOTH ||
2446 break;
2447 }
2448
2449 return lastResult;
2450}
2451
2452/*
2453 * PQdescribePrepared
2454 * Obtain information about a previously prepared statement
2455 *
2456 * If the query was not even sent, return NULL; conn->errorMessage is set to
2457 * a relevant message.
2458 * If the query was sent, a new PGresult is returned (which could indicate
2459 * either success or failure). On success, the PGresult contains status
2460 * PGRES_COMMAND_OK, and its parameter and column-heading fields describe
2461 * the statement's inputs and outputs respectively.
2462 * The user is responsible for freeing the PGresult via PQclear()
2463 * when done with it.
2464 */
2465PGresult *
2467{
2468 if (!PQexecStart(conn))
2469 return NULL;
2471 return NULL;
2472 return PQexecFinish(conn);
2473}
2474
2475/*
2476 * PQdescribePortal
2477 * Obtain information about a previously created portal
2478 *
2479 * This is much like PQdescribePrepared, except that no parameter info is
2480 * returned. Note that at the moment, libpq doesn't really expose portals
2481 * to the client; but this can be used with a portal created by a SQL
2482 * DECLARE CURSOR command.
2483 */
2484PGresult *
2485PQdescribePortal(PGconn *conn, const char *portal)
2486{
2487 if (!PQexecStart(conn))
2488 return NULL;
2489 if (!PQsendTypedCommand(conn, PqMsg_Describe, 'P', portal))
2490 return NULL;
2491 return PQexecFinish(conn);
2492}
2493
2494/*
2495 * PQsendDescribePrepared
2496 * Submit a Describe Statement command, but don't wait for it to finish
2497 *
2498 * Returns: 1 if successfully submitted
2499 * 0 if error (conn->errorMessage is set)
2500 */
2501int
2503{
2505}
2506
2507/*
2508 * PQsendDescribePortal
2509 * Submit a Describe Portal command, but don't wait for it to finish
2510 *
2511 * Returns: 1 if successfully submitted
2512 * 0 if error (conn->errorMessage is set)
2513 */
2514int
2515PQsendDescribePortal(PGconn *conn, const char *portal)
2516{
2517 return PQsendTypedCommand(conn, PqMsg_Describe, 'P', portal);
2518}
2519
2520/*
2521 * PQclosePrepared
2522 * Close a previously prepared statement
2523 *
2524 * If the query was not even sent, return NULL; conn->errorMessage is set to
2525 * a relevant message.
2526 * If the query was sent, a new PGresult is returned (which could indicate
2527 * either success or failure). On success, the PGresult contains status
2528 * PGRES_COMMAND_OK. The user is responsible for freeing the PGresult via
2529 * PQclear() when done with it.
2530 */
2531PGresult *
2533{
2534 if (!PQexecStart(conn))
2535 return NULL;
2537 return NULL;
2538 return PQexecFinish(conn);
2539}
2540
2541/*
2542 * PQclosePortal
2543 * Close a previously created portal
2544 *
2545 * This is exactly like PQclosePrepared, but for portals. Note that at the
2546 * moment, libpq doesn't really expose portals to the client; but this can be
2547 * used with a portal created by a SQL DECLARE CURSOR command.
2548 */
2549PGresult *
2550PQclosePortal(PGconn *conn, const char *portal)
2551{
2552 if (!PQexecStart(conn))
2553 return NULL;
2554 if (!PQsendTypedCommand(conn, PqMsg_Close, 'P', portal))
2555 return NULL;
2556 return PQexecFinish(conn);
2557}
2558
2559/*
2560 * PQsendClosePrepared
2561 * Submit a Close Statement command, but don't wait for it to finish
2562 *
2563 * Returns: 1 if successfully submitted
2564 * 0 if error (conn->errorMessage is set)
2565 */
2566int
2568{
2569 return PQsendTypedCommand(conn, PqMsg_Close, 'S', stmt);
2570}
2571
2572/*
2573 * PQsendClosePortal
2574 * Submit a Close Portal command, but don't wait for it to finish
2575 *
2576 * Returns: 1 if successfully submitted
2577 * 0 if error (conn->errorMessage is set)
2578 */
2579int
2580PQsendClosePortal(PGconn *conn, const char *portal)
2581{
2582 return PQsendTypedCommand(conn, PqMsg_Close, 'P', portal);
2583}
2584
2585/*
2586 * PQsendTypedCommand
2587 * Common code to send a Describe or Close command
2588 *
2589 * Available options for "command" are
2590 * PqMsg_Close for Close; or
2591 * PqMsg_Describe for Describe.
2592 *
2593 * Available options for "type" are
2594 * 'S' to run a command on a prepared statement; or
2595 * 'P' to run a command on a portal.
2596 *
2597 * Returns 1 on success and 0 on failure.
2598 */
2599static int
2600PQsendTypedCommand(PGconn *conn, char command, char type, const char *target)
2601{
2602 PGcmdQueueEntry *entry = NULL;
2603
2604 /* Treat null target as empty string */
2605 if (!target)
2606 target = "";
2607
2608 if (!PQsendQueryStart(conn, true))
2609 return 0;
2610
2611 entry = pqAllocCmdQueueEntry(conn);
2612 if (entry == NULL)
2613 return 0; /* error msg already set */
2614
2615 /* construct the Close message */
2616 if (pqPutMsgStart(command, conn) < 0 ||
2617 pqPutc(type, conn) < 0 ||
2618 pqPuts(target, conn) < 0 ||
2619 pqPutMsgEnd(conn) < 0)
2620 goto sendFailed;
2621
2622 /* construct the Sync message */
2624 {
2625 if (pqPutMsgStart(PqMsg_Sync, conn) < 0 ||
2626 pqPutMsgEnd(conn) < 0)
2627 goto sendFailed;
2628 }
2629
2630 /* remember if we are doing a Close or a Describe */
2631 if (command == PqMsg_Close)
2632 {
2633 entry->queryclass = PGQUERY_CLOSE;
2634 }
2635 else if (command == PqMsg_Describe)
2636 {
2638 }
2639 else
2640 {
2641 libpq_append_conn_error(conn, "unrecognized message type \"%c\"", command);
2642 goto sendFailed;
2643 }
2644
2645 /*
2646 * Give the data a push (in pipeline mode, only if we're past the size
2647 * threshold). In nonblock mode, don't complain if we're unable to send
2648 * it all; PQgetResult() will do any additional flushing needed.
2649 */
2650 if (pqPipelineFlush(conn) < 0)
2651 goto sendFailed;
2652
2653 /* OK, it's launched! */
2655
2656 return 1;
2657
2658sendFailed:
2660 /* error message should be set up already */
2661 return 0;
2662}
2663
2664/*
2665 * PQnotifies
2666 * returns a PGnotify* structure of the latest async notification
2667 * that has not yet been handled
2668 *
2669 * returns NULL, if there is currently
2670 * no unhandled async notification from the backend
2671 *
2672 * the CALLER is responsible for FREE'ing the structure returned
2673 *
2674 * Note that this function does not read any new data from the socket;
2675 * so usually, caller should call PQconsumeInput() first.
2676 */
2677PGnotify *
2679{
2680 PGnotify *event;
2681
2682 if (!conn)
2683 return NULL;
2684
2685 /* Parse any available data to see if we can extract NOTIFY messages. */
2687
2688 event = conn->notifyHead;
2689 if (event)
2690 {
2691 conn->notifyHead = event->next;
2692 if (!conn->notifyHead)
2693 conn->notifyTail = NULL;
2694 event->next = NULL; /* don't let app see the internal state */
2695 }
2696 return event;
2697}
2698
2699/*
2700 * PQputCopyData - send some data to the backend during COPY IN or COPY BOTH
2701 *
2702 * Returns 1 if successful, 0 if data could not be sent (only possible
2703 * in nonblock mode), or -1 if an error occurs.
2704 */
2705int
2706PQputCopyData(PGconn *conn, const char *buffer, int nbytes)
2707{
2708 if (!conn)
2709 return -1;
2712 {
2713 libpq_append_conn_error(conn, "no COPY in progress");
2714 return -1;
2715 }
2716
2717 /*
2718 * Process any NOTICE or NOTIFY messages that might be pending in the
2719 * input buffer. Since the server might generate many notices during the
2720 * COPY, we want to clean those out reasonably promptly to prevent
2721 * indefinite expansion of the input buffer. (Note: the actual read of
2722 * input data into the input buffer happens down inside pqSendSome, but
2723 * it's not authorized to get rid of the data again.)
2724 */
2726
2727 if (nbytes > 0)
2728 {
2729 /*
2730 * Try to flush any previously sent data in preference to growing the
2731 * output buffer. If we can't enlarge the buffer enough to hold the
2732 * data, return 0 in the nonblock case, else hard error. (For
2733 * simplicity, always assume 5 bytes of overhead.)
2734 */
2735 if ((conn->outBufSize - conn->outCount - 5) < nbytes)
2736 {
2737 if (pqFlush(conn) < 0)
2738 return -1;
2739 if (pqCheckOutBufferSpace(conn->outCount + 5 + (size_t) nbytes,
2740 conn))
2741 return pqIsnonblocking(conn) ? 0 : -1;
2742 }
2743 /* Send the data (too simple to delegate to fe-protocol files) */
2744 if (pqPutMsgStart(PqMsg_CopyData, conn) < 0 ||
2745 pqPutnchar(buffer, nbytes, conn) < 0 ||
2746 pqPutMsgEnd(conn) < 0)
2747 return -1;
2748 }
2749 return 1;
2750}
2751
2752/*
2753 * PQputCopyEnd - send EOF indication to the backend during COPY IN
2754 *
2755 * After calling this, use PQgetResult() to check command completion status.
2756 *
2757 * Returns 1 if successful, or -1 if an error occurs.
2758 */
2759int
2760PQputCopyEnd(PGconn *conn, const char *errormsg)
2761{
2762 if (!conn)
2763 return -1;
2766 {
2767 libpq_append_conn_error(conn, "no COPY in progress");
2768 return -1;
2769 }
2770
2771 /*
2772 * Send the COPY END indicator. This is simple enough that we don't
2773 * bother delegating it to the fe-protocol files.
2774 */
2775 if (errormsg)
2776 {
2777 /* Send COPY FAIL */
2778 if (pqPutMsgStart(PqMsg_CopyFail, conn) < 0 ||
2779 pqPuts(errormsg, conn) < 0 ||
2780 pqPutMsgEnd(conn) < 0)
2781 return -1;
2782 }
2783 else
2784 {
2785 /* Send COPY DONE */
2786 if (pqPutMsgStart(PqMsg_CopyDone, conn) < 0 ||
2787 pqPutMsgEnd(conn) < 0)
2788 return -1;
2789 }
2790
2791 /*
2792 * If we sent the COPY command in extended-query mode, we must issue a
2793 * Sync as well.
2794 */
2795 if (conn->cmd_queue_head &&
2797 {
2798 if (pqPutMsgStart(PqMsg_Sync, conn) < 0 ||
2799 pqPutMsgEnd(conn) < 0)
2800 return -1;
2801 }
2802
2803 /* Return to active duty */
2806 else
2808
2809 /* Try to flush data */
2810 if (pqFlush(conn) < 0)
2811 return -1;
2812
2813 return 1;
2814}
2815
2816/*
2817 * PQgetCopyData - read a row of data from the backend during COPY OUT
2818 * or COPY BOTH
2819 *
2820 * If successful, sets *buffer to point to a malloc'd row of data, and
2821 * returns row length (always > 0) as result.
2822 * Returns 0 if no row available yet (only possible if async is true),
2823 * -1 if end of copy (consult PQgetResult), or -2 if error (consult
2824 * PQerrorMessage).
2825 */
2826int
2827PQgetCopyData(PGconn *conn, char **buffer, int async)
2828{
2829 *buffer = NULL; /* for all failure cases */
2830 if (!conn)
2831 return -2;
2834 {
2835 libpq_append_conn_error(conn, "no COPY in progress");
2836 return -2;
2837 }
2838 return pqGetCopyData3(conn, buffer, async);
2839}
2840
2841/*
2842 * PQgetline - gets a newline-terminated string from the backend.
2843 *
2844 * Chiefly here so that applications can use "COPY <rel> to stdout"
2845 * and read the output string. Returns a null-terminated string in `buffer`.
2846 *
2847 * XXX this routine is now deprecated, because it can't handle binary data.
2848 * If called during a COPY BINARY we return EOF.
2849 *
2850 * PQgetline reads up to `length`-1 characters (like fgets(3)) but strips
2851 * the terminating \n (like gets(3)).
2852 *
2853 * CAUTION: the caller is responsible for detecting the end-of-copy signal
2854 * (a line containing just "\.") when using this routine.
2855 *
2856 * RETURNS:
2857 * EOF if error (eg, invalid arguments are given)
2858 * 0 if EOL is reached (i.e., \n has been read)
2859 * (this is required for backward-compatibility -- this
2860 * routine used to always return EOF or 0, assuming that
2861 * the line ended within `length` bytes.)
2862 * 1 in other cases (i.e., the buffer was filled before \n is reached)
2863 */
2864int
2865PQgetline(PGconn *conn, char *buffer, int length)
2866{
2867 if (!buffer || length <= 0)
2868 return EOF;
2869 *buffer = '\0';
2870 /* length must be at least 3 to hold the \. terminator! */
2871 if (length < 3)
2872 return EOF;
2873
2874 if (!conn)
2875 return EOF;
2876
2877 return pqGetline3(conn, buffer, length);
2878}
2879
2880/*
2881 * PQgetlineAsync - gets a COPY data row without blocking.
2882 *
2883 * This routine is for applications that want to do "COPY <rel> to stdout"
2884 * asynchronously, that is without blocking. Having issued the COPY command
2885 * and gotten a PGRES_COPY_OUT response, the app should call PQconsumeInput
2886 * and this routine until the end-of-data signal is detected. Unlike
2887 * PQgetline, this routine takes responsibility for detecting end-of-data.
2888 *
2889 * On each call, PQgetlineAsync will return data if a complete data row
2890 * is available in libpq's input buffer. Otherwise, no data is returned
2891 * until the rest of the row arrives.
2892 *
2893 * If -1 is returned, the end-of-data signal has been recognized (and removed
2894 * from libpq's input buffer). The caller *must* next call PQendcopy and
2895 * then return to normal processing.
2896 *
2897 * RETURNS:
2898 * -1 if the end-of-copy-data marker has been recognized
2899 * 0 if no data is available
2900 * >0 the number of bytes returned.
2901 *
2902 * The data returned will not extend beyond a data-row boundary. If possible
2903 * a whole row will be returned at one time. But if the buffer offered by
2904 * the caller is too small to hold a row sent by the backend, then a partial
2905 * data row will be returned. In text mode this can be detected by testing
2906 * whether the last returned byte is '\n' or not.
2907 *
2908 * The returned data is *not* null-terminated.
2909 */
2910
2911int
2912PQgetlineAsync(PGconn *conn, char *buffer, int bufsize)
2913{
2914 if (!conn)
2915 return -1;
2916
2917 return pqGetlineAsync3(conn, buffer, bufsize);
2918}
2919
2920/*
2921 * PQputline -- sends a string to the backend during COPY IN.
2922 * Returns 0 if OK, EOF if not.
2923 *
2924 * This is deprecated primarily because the return convention doesn't allow
2925 * caller to tell the difference between a hard error and a nonblock-mode
2926 * send failure.
2927 */
2928int
2929PQputline(PGconn *conn, const char *string)
2930{
2931 return PQputnbytes(conn, string, strlen(string));
2932}
2933
2934/*
2935 * PQputnbytes -- like PQputline, but buffer need not be null-terminated.
2936 * Returns 0 if OK, EOF if not.
2937 */
2938int
2939PQputnbytes(PGconn *conn, const char *buffer, int nbytes)
2940{
2941 if (PQputCopyData(conn, buffer, nbytes) > 0)
2942 return 0;
2943 else
2944 return EOF;
2945}
2946
2947/*
2948 * PQendcopy
2949 * After completing the data transfer portion of a copy in/out,
2950 * the application must call this routine to finish the command protocol.
2951 *
2952 * This is deprecated; it's cleaner to use PQgetResult to get the transfer
2953 * status.
2954 *
2955 * RETURNS:
2956 * 0 on success
2957 * 1 on failure
2958 */
2959int
2961{
2962 if (!conn)
2963 return 0;
2964
2965 return pqEndcopy3(conn);
2966}
2967
2968
2969/* ----------------
2970 * PQfn - Send a function call to the POSTGRES backend.
2971 *
2972 * conn : backend connection
2973 * fnid : OID of function to be called
2974 * result_buf : pointer to result buffer
2975 * result_len : actual length of result is returned here
2976 * result_is_int : If the result is an integer, this must be 1,
2977 * otherwise this should be 0
2978 * args : pointer to an array of function arguments
2979 * (each has length, if integer, and value/pointer)
2980 * nargs : # of arguments in args array.
2981 *
2982 * RETURNS
2983 * PGresult with status = PGRES_COMMAND_OK if successful.
2984 * *result_len is > 0 if there is a return value, 0 if not.
2985 * PGresult with status = PGRES_FATAL_ERROR if backend returns an error.
2986 * NULL on communications failure. conn->errorMessage will be set.
2987 * ----------------
2988 */
2989
2990PGresult *
2992 int fnid,
2993 int *result_buf,
2994 int *result_len,
2995 int result_is_int,
2996 const PQArgBlock *args,
2997 int nargs)
2998{
2999 *result_len = 0;
3000
3001 if (!conn)
3002 return NULL;
3003
3004 /*
3005 * Since this is the beginning of a query cycle, reset the error state.
3006 * However, in pipeline mode with something already queued, the error
3007 * buffer belongs to that command and we shouldn't clear it.
3008 */
3009 if (conn->cmd_queue_head == NULL)
3011
3013 {
3014 libpq_append_conn_error(conn, "%s not allowed in pipeline mode", "PQfn");
3015 return NULL;
3016 }
3017
3020 {
3021 libpq_append_conn_error(conn, "connection in wrong state");
3022 return NULL;
3023 }
3024
3025 return pqFunctionCall3(conn, fnid,
3026 result_buf, result_len,
3027 result_is_int,
3028 args, nargs);
3029}
3030
3031/* ====== Pipeline mode support ======== */
3032
3033/*
3034 * PQenterPipelineMode
3035 * Put an idle connection in pipeline mode.
3036 *
3037 * Returns 1 on success. On failure, errorMessage is set and 0 is returned.
3038 *
3039 * Commands submitted after this can be pipelined on the connection;
3040 * there's no requirement to wait for one to finish before the next is
3041 * dispatched.
3042 *
3043 * Queuing of a new query or syncing during COPY is not allowed.
3044 *
3045 * A set of commands is terminated by a PQpipelineSync. Multiple sync
3046 * points can be established while in pipeline mode. Pipeline mode can
3047 * be exited by calling PQexitPipelineMode() once all results are processed.
3048 *
3049 * This doesn't actually send anything on the wire, it just puts libpq
3050 * into a state where it can pipeline work.
3051 */
3052int
3054{
3055 if (!conn)
3056 return 0;
3057
3058 /* succeed with no action if already in pipeline mode */
3060 return 1;
3061
3063 {
3064 libpq_append_conn_error(conn, "cannot enter pipeline mode, connection not idle");
3065 return 0;
3066 }
3067
3069
3070 return 1;
3071}
3072
3073/*
3074 * PQexitPipelineMode
3075 * End pipeline mode and return to normal command mode.
3076 *
3077 * Returns 1 in success (pipeline mode successfully ended, or not in pipeline
3078 * mode).
3079 *
3080 * Returns 0 if in pipeline mode and cannot be ended yet. Error message will
3081 * be set.
3082 */
3083int
3085{
3086 if (!conn)
3087 return 0;
3088
3092 conn->cmd_queue_head == NULL)
3093 return 1;
3094
3095 switch (conn->asyncStatus)
3096 {
3097 case PGASYNC_READY:
3098 case PGASYNC_READY_MORE:
3099 /* there are some uncollected results */
3100 libpq_append_conn_error(conn, "cannot exit pipeline mode with uncollected results");
3101 return 0;
3102
3103 case PGASYNC_BUSY:
3104 libpq_append_conn_error(conn, "cannot exit pipeline mode while busy");
3105 return 0;
3106
3107 case PGASYNC_IDLE:
3109 /* OK */
3110 break;
3111
3112 case PGASYNC_COPY_IN:
3113 case PGASYNC_COPY_OUT:
3114 case PGASYNC_COPY_BOTH:
3115 libpq_append_conn_error(conn, "cannot exit pipeline mode while in COPY");
3116 }
3117
3118 /* still work to process */
3119 if (conn->cmd_queue_head != NULL)
3120 {
3121 libpq_append_conn_error(conn, "cannot exit pipeline mode with uncollected results");
3122 return 0;
3123 }
3124
3127
3128 /* Flush any pending data in out buffer */
3129 if (pqFlush(conn) < 0)
3130 return 0; /* error message is setup already */
3131 return 1;
3132}
3133
3134/*
3135 * pqCommandQueueAdvance
3136 * Remove one query from the command queue, if appropriate.
3137 *
3138 * If we have received all results corresponding to the head element
3139 * in the command queue, remove it.
3140 *
3141 * In simple query protocol we must not advance the command queue until the
3142 * ReadyForQuery message has been received. This is because in simple mode a
3143 * command can have multiple queries, and we must process result for all of
3144 * them before moving on to the next command.
3145 *
3146 * Another consideration is synchronization during error processing in
3147 * extended query protocol: we refuse to advance the queue past a SYNC queue
3148 * element, unless the result we've received is also a SYNC. In particular
3149 * this protects us from advancing when an error is received at an
3150 * inappropriate moment.
3151 */
3152void
3153pqCommandQueueAdvance(PGconn *conn, bool isReadyForQuery, bool gotSync)
3154{
3155 PGcmdQueueEntry *prevquery;
3156
3157 if (conn->cmd_queue_head == NULL)
3158 return;
3159
3160 /*
3161 * If processing a query of simple query protocol, we only advance the
3162 * queue when we receive the ReadyForQuery message for it.
3163 */
3164 if (conn->cmd_queue_head->queryclass == PGQUERY_SIMPLE && !isReadyForQuery)
3165 return;
3166
3167 /*
3168 * If we're waiting for a SYNC, don't advance the queue until we get one.
3169 */
3170 if (conn->cmd_queue_head->queryclass == PGQUERY_SYNC && !gotSync)
3171 return;
3172
3173 /* delink element from queue */
3174 prevquery = conn->cmd_queue_head;
3176
3177 /* If the queue is now empty, reset the tail too */
3178 if (conn->cmd_queue_head == NULL)
3179 conn->cmd_queue_tail = NULL;
3180
3181 /* and make the queue element recyclable */
3182 prevquery->next = NULL;
3183 pqRecycleCmdQueueEntry(conn, prevquery);
3184}
3185
3186/*
3187 * pqPipelineProcessQueue: subroutine for PQgetResult
3188 * In pipeline mode, start processing the results of the next query in the queue.
3189 */
3190static void
3192{
3193 switch (conn->asyncStatus)
3194 {
3195 case PGASYNC_COPY_IN:
3196 case PGASYNC_COPY_OUT:
3197 case PGASYNC_COPY_BOTH:
3198 case PGASYNC_READY:
3199 case PGASYNC_READY_MORE:
3200 case PGASYNC_BUSY:
3201 /* client still has to process current query or results */
3202 return;
3203
3204 case PGASYNC_IDLE:
3205
3206 /*
3207 * If we're in IDLE mode and there's some command in the queue,
3208 * get us into PIPELINE_IDLE mode and process normally. Otherwise
3209 * there's nothing for us to do.
3210 */
3211 if (conn->cmd_queue_head != NULL)
3212 {
3214 break;
3215 }
3216 return;
3217
3220 /* next query please */
3221 break;
3222 }
3223
3224 /*
3225 * Reset partial-result mode. (Client has to set it up for each query, if
3226 * desired.)
3227 */
3228 conn->partialResMode = false;
3229 conn->singleRowMode = false;
3230 conn->maxChunkSize = 0;
3231
3232 /*
3233 * If there are no further commands to process in the queue, get us in
3234 * "real idle" mode now.
3235 */
3236 if (conn->cmd_queue_head == NULL)
3237 {
3239 return;
3240 }
3241
3242 /*
3243 * Reset the error state. This and the next couple of steps correspond to
3244 * what PQsendQueryStart didn't do for this query.
3245 */
3247
3248 /* Initialize async result-accumulation state */
3250
3253 {
3254 /*
3255 * In an aborted pipeline we don't get anything from the server for
3256 * each result; we're just discarding commands from the queue until we
3257 * get to the next sync from the server.
3258 *
3259 * The PGRES_PIPELINE_ABORTED results tell the client that its queries
3260 * got aborted.
3261 */
3263 if (!conn->result)
3264 {
3265 libpq_append_conn_error(conn, "out of memory");
3267 return;
3268 }
3270 }
3271 else
3272 {
3273 /* allow parsing to continue */
3275 }
3276}
3277
3278/*
3279 * PQpipelineSync
3280 * Send a Sync message as part of a pipeline, and flush to server
3281 */
3282int
3284{
3285 return pqPipelineSyncInternal(conn, true);
3286}
3287
3288/*
3289 * PQsendPipelineSync
3290 * Send a Sync message as part of a pipeline, without flushing to server
3291 */
3292int
3294{
3295 return pqPipelineSyncInternal(conn, false);
3296}
3297
3298/*
3299 * Workhorse function for PQpipelineSync and PQsendPipelineSync.
3300 *
3301 * immediate_flush controls if the flush happens immediately after sending the
3302 * Sync message or not.
3303 */
3304static int
3305pqPipelineSyncInternal(PGconn *conn, bool immediate_flush)
3306{
3307 PGcmdQueueEntry *entry;
3308
3309 if (!conn)
3310 return 0;
3311
3313 {
3314 libpq_append_conn_error(conn, "cannot send pipeline when not in pipeline mode");
3315 return 0;
3316 }
3317
3318 switch (conn->asyncStatus)
3319 {
3320 case PGASYNC_COPY_IN:
3321 case PGASYNC_COPY_OUT:
3322 case PGASYNC_COPY_BOTH:
3323 /* should be unreachable */
3325 "internal error: cannot send pipeline while in COPY\n");
3326 return 0;
3327 case PGASYNC_READY:
3328 case PGASYNC_READY_MORE:
3329 case PGASYNC_BUSY:
3330 case PGASYNC_IDLE:
3332 /* OK to send sync */
3333 break;
3334 }
3335
3336 entry = pqAllocCmdQueueEntry(conn);
3337 if (entry == NULL)
3338 return 0; /* error msg already set */
3339
3340 entry->queryclass = PGQUERY_SYNC;
3341 entry->query = NULL;
3342
3343 /* construct the Sync message */
3344 if (pqPutMsgStart(PqMsg_Sync, conn) < 0 ||
3345 pqPutMsgEnd(conn) < 0)
3346 goto sendFailed;
3347
3348 /*
3349 * Give the data a push. In nonblock mode, don't complain if we're unable
3350 * to send it all; PQgetResult() will do any additional flushing needed.
3351 * If immediate_flush is disabled, the data is pushed if we are past the
3352 * size threshold.
3353 */
3354 if (immediate_flush)
3355 {
3356 if (pqFlush(conn) < 0)
3357 goto sendFailed;
3358 }
3359 else
3360 {
3361 if (pqPipelineFlush(conn) < 0)
3362 goto sendFailed;
3363 }
3364
3365 /* OK, it's launched! */
3367
3368 return 1;
3369
3370sendFailed:
3372 /* error message should be set up already */
3373 return 0;
3374}
3375
3376/*
3377 * PQsendFlushRequest
3378 * Send request for server to flush its buffer. Useful in pipeline
3379 * mode when a sync point is not desired.
3380 */
3381int
3383{
3384 if (!conn)
3385 return 0;
3386
3387 /* Don't try to send if we know there's no live connection. */
3388 if (conn->status != CONNECTION_OK)
3389 {
3390 libpq_append_conn_error(conn, "no connection to the server");
3391 return 0;
3392 }
3393
3394 /* Can't send while already busy, either, unless enqueuing for later */
3395 if (conn->asyncStatus != PGASYNC_IDLE &&
3397 {
3398 libpq_append_conn_error(conn, "another command is already in progress");
3399 return 0;
3400 }
3401
3402 if (pqPutMsgStart(PqMsg_Flush, conn) < 0 ||
3403 pqPutMsgEnd(conn) < 0)
3404 {
3405 return 0;
3406 }
3407
3408 /*
3409 * Give the data a push (in pipeline mode, only if we're past the size
3410 * threshold). In nonblock mode, don't complain if we're unable to send
3411 * it all; PQgetResult() will do any additional flushing needed.
3412 */
3413 if (pqPipelineFlush(conn) < 0)
3414 return 0;
3415
3416 return 1;
3417}
3418
3419/* ====== accessor funcs for PGresult ======== */
3420
3423{
3424 if (!res)
3425 return PGRES_FATAL_ERROR;
3426 return res->resultStatus;
3427}
3428
3429char *
3431{
3432 if ((unsigned int) status >= lengthof(pgresStatus))
3433 return libpq_gettext("invalid ExecStatusType code");
3434 return pgresStatus[status];
3435}
3436
3437char *
3439{
3440 if (!res || !res->errMsg)
3441 return "";
3442 return res->errMsg;
3443}
3444
3445char *
3447 PGVerbosity verbosity,
3448 PGContextVisibility show_context)
3449{
3450 PQExpBufferData workBuf;
3451
3452 /*
3453 * Because the caller is expected to free the result string, we must
3454 * strdup any constant result. We use plain strdup and document that
3455 * callers should expect NULL if out-of-memory.
3456 */
3457 if (!res ||
3460 return strdup(libpq_gettext("PGresult is not an error result\n"));
3461
3462 initPQExpBuffer(&workBuf);
3463
3464 pqBuildErrorMessage3(&workBuf, res, verbosity, show_context);
3465
3466 /* If insufficient memory to format the message, fail cleanly */
3467 if (PQExpBufferDataBroken(workBuf))
3468 {
3469 termPQExpBuffer(&workBuf);
3470 return strdup(libpq_gettext("out of memory\n"));
3471 }
3472
3473 return workBuf.data;
3474}
3475
3476char *
3477PQresultErrorField(const PGresult *res, int fieldcode)
3478{
3479 PGMessageField *pfield;
3480
3481 if (!res)
3482 return NULL;
3483 for (pfield = res->errFields; pfield != NULL; pfield = pfield->next)
3484 {
3485 if (pfield->code == fieldcode)
3486 return pfield->contents;
3487 }
3488 return NULL;
3489}
3490
3491int
3493{
3494 if (!res)
3495 return 0;
3496 return res->ntups;
3497}
3498
3499int
3501{
3502 if (!res)
3503 return 0;
3504 return res->numAttributes;
3505}
3506
3507int
3509{
3510 if (!res)
3511 return 0;
3512 return res->binary;
3513}
3514
3515/*
3516 * Helper routines to range-check field numbers and tuple numbers.
3517 * Return true if OK, false if not
3518 */
3519
3520static int
3521check_field_number(const PGresult *res, int field_num)
3522{
3523 if (!res)
3524 return false; /* no way to display error message... */
3525 if (field_num < 0 || field_num >= res->numAttributes)
3526 {
3528 "column number %d is out of range 0..%d",
3529 field_num, res->numAttributes - 1);
3530 return false;
3531 }
3532 return true;
3533}
3534
3535static int
3537 int tup_num, int field_num)
3538{
3539 if (!res)
3540 return false; /* no way to display error message... */
3541 if (tup_num < 0 || tup_num >= res->ntups)
3542 {
3544 "row number %d is out of range 0..%d",
3545 tup_num, res->ntups - 1);
3546 return false;
3547 }
3548 if (field_num < 0 || field_num >= res->numAttributes)
3549 {
3551 "column number %d is out of range 0..%d",
3552 field_num, res->numAttributes - 1);
3553 return false;
3554 }
3555 return true;
3556}
3557
3558static int
3559check_param_number(const PGresult *res, int param_num)
3560{
3561 if (!res)
3562 return false; /* no way to display error message... */
3563 if (param_num < 0 || param_num >= res->numParameters)
3564 {
3566 "parameter number %d is out of range 0..%d",
3567 param_num, res->numParameters - 1);
3568 return false;
3569 }
3570
3571 return true;
3572}
3573
3574/*
3575 * returns NULL if the field_num is invalid
3576 */
3577char *
3578PQfname(const PGresult *res, int field_num)
3579{
3580 if (!check_field_number(res, field_num))
3581 return NULL;
3582 if (res->attDescs)
3583 return res->attDescs[field_num].name;
3584 else
3585 return NULL;
3586}
3587
3588/*
3589 * PQfnumber: find column number given column name
3590 *
3591 * The column name is parsed as if it were in a SQL statement, including
3592 * case-folding and double-quote processing. But note a possible gotcha:
3593 * downcasing in the frontend might follow different locale rules than
3594 * downcasing in the backend...
3595 *
3596 * Returns -1 if no match. In the present backend it is also possible
3597 * to have multiple matches, in which case the first one is found.
3598 */
3599int
3600PQfnumber(const PGresult *res, const char *field_name)
3601{
3602 char *field_case;
3603 bool in_quotes;
3604 bool all_lower = true;
3605 const char *iptr;
3606 char *optr;
3607 int i;
3608
3609 if (!res)
3610 return -1;
3611
3612 /*
3613 * Note: it is correct to reject a zero-length input string; the proper
3614 * input to match a zero-length field name would be "".
3615 */
3616 if (field_name == NULL ||
3617 field_name[0] == '\0' ||
3618 res->attDescs == NULL)
3619 return -1;
3620
3621 /*
3622 * Check if we can avoid the strdup() and related work because the
3623 * passed-in string wouldn't be changed before we do the check anyway.
3624 */
3625 for (iptr = field_name; *iptr; iptr++)
3626 {
3627 char c = *iptr;
3628
3629 if (c == '"' || c != pg_tolower((unsigned char) c))
3630 {
3631 all_lower = false;
3632 break;
3633 }
3634 }
3635
3636 if (all_lower)
3637 for (i = 0; i < res->numAttributes; i++)
3638 if (strcmp(field_name, res->attDescs[i].name) == 0)
3639 return i;
3640
3641 /* Fall through to the normal check if that didn't work out. */
3642
3643 /*
3644 * Note: this code will not reject partially quoted strings, eg
3645 * foo"BAR"foo will become fooBARfoo when it probably ought to be an error
3646 * condition.
3647 */
3648 field_case = strdup(field_name);
3649 if (field_case == NULL)
3650 return -1; /* grotty */
3651
3652 in_quotes = false;
3653 optr = field_case;
3654 for (iptr = field_case; *iptr; iptr++)
3655 {
3656 char c = *iptr;
3657
3658 if (in_quotes)
3659 {
3660 if (c == '"')
3661 {
3662 if (iptr[1] == '"')
3663 {
3664 /* doubled quotes become a single quote */
3665 *optr++ = '"';
3666 iptr++;
3667 }
3668 else
3669 in_quotes = false;
3670 }
3671 else
3672 *optr++ = c;
3673 }
3674 else if (c == '"')
3675 in_quotes = true;
3676 else
3677 {
3678 c = pg_tolower((unsigned char) c);
3679 *optr++ = c;
3680 }
3681 }
3682 *optr = '\0';
3683
3684 for (i = 0; i < res->numAttributes; i++)
3685 {
3686 if (strcmp(field_case, res->attDescs[i].name) == 0)
3687 {
3688 free(field_case);
3689 return i;
3690 }
3691 }
3692 free(field_case);
3693 return -1;
3694}
3695
3696Oid
3697PQftable(const PGresult *res, int field_num)
3698{
3699 if (!check_field_number(res, field_num))
3700 return InvalidOid;
3701 if (res->attDescs)
3702 return res->attDescs[field_num].tableid;
3703 else
3704 return InvalidOid;
3705}
3706
3707int
3708PQftablecol(const PGresult *res, int field_num)
3709{
3710 if (!check_field_number(res, field_num))
3711 return 0;
3712 if (res->attDescs)
3713 return res->attDescs[field_num].columnid;
3714 else
3715 return 0;
3716}
3717
3718int
3719PQfformat(const PGresult *res, int field_num)
3720{
3721 if (!check_field_number(res, field_num))
3722 return 0;
3723 if (res->attDescs)
3724 return res->attDescs[field_num].format;
3725 else
3726 return 0;
3727}
3728
3729Oid
3730PQftype(const PGresult *res, int field_num)
3731{
3732 if (!check_field_number(res, field_num))
3733 return InvalidOid;
3734 if (res->attDescs)
3735 return res->attDescs[field_num].typid;
3736 else
3737 return InvalidOid;
3738}
3739
3740int
3741PQfsize(const PGresult *res, int field_num)
3742{
3743 if (!check_field_number(res, field_num))
3744 return 0;
3745 if (res->attDescs)
3746 return res->attDescs[field_num].typlen;
3747 else
3748 return 0;
3749}
3750
3751int
3752PQfmod(const PGresult *res, int field_num)
3753{
3754 if (!check_field_number(res, field_num))
3755 return 0;
3756 if (res->attDescs)
3757 return res->attDescs[field_num].atttypmod;
3758 else
3759 return 0;
3760}
3761
3762char *
3764{
3765 if (!res)
3766 return NULL;
3767 return res->cmdStatus;
3768}
3769
3770/*
3771 * PQoidStatus -
3772 * if the last command was an INSERT, return the oid string
3773 * if not, return ""
3774 */
3775char *
3777{
3778 /*
3779 * This must be enough to hold the result. Don't laugh, this is better
3780 * than what this function used to do.
3781 */
3782 static char buf[24];
3783
3784 size_t len;
3785
3786 if (!res || strncmp(res->cmdStatus, "INSERT ", 7) != 0)
3787 return "";
3788
3789 len = strspn(res->cmdStatus + 7, "0123456789");
3790 if (len > sizeof(buf) - 1)
3791 len = sizeof(buf) - 1;
3792 memcpy(buf, res->cmdStatus + 7, len);
3793 buf[len] = '\0';
3794
3795 return buf;
3796}
3797
3798/*
3799 * PQoidValue -
3800 * a perhaps preferable form of the above which just returns
3801 * an Oid type
3802 */
3803Oid
3805{
3806 char *endptr = NULL;
3807 unsigned long result;
3808
3809 if (!res ||
3810 strncmp(res->cmdStatus, "INSERT ", 7) != 0 ||
3811 res->cmdStatus[7] < '0' ||
3812 res->cmdStatus[7] > '9')
3813 return InvalidOid;
3814
3815 result = strtoul(res->cmdStatus + 7, &endptr, 10);
3816
3817 if (!endptr || (*endptr != ' ' && *endptr != '\0'))
3818 return InvalidOid;
3819 else
3820 return (Oid) result;
3821}
3822
3823
3824/*
3825 * PQcmdTuples -
3826 * If the last command was INSERT/UPDATE/DELETE/MERGE/MOVE/FETCH/COPY,
3827 * return a string containing the number of inserted/affected tuples.
3828 * If not, return "".
3829 *
3830 * XXX: this should probably return an int
3831 */
3832char *
3834{
3835 char *p,
3836 *c;
3837
3838 if (!res)
3839 return "";
3840
3841 if (strncmp(res->cmdStatus, "INSERT ", 7) == 0)
3842 {
3843 p = res->cmdStatus + 7;
3844 /* INSERT: skip oid and space */
3845 while (*p && *p != ' ')
3846 p++;
3847 if (*p == 0)
3848 goto interpret_error; /* no space? */
3849 p++;
3850 }
3851 else if (strncmp(res->cmdStatus, "SELECT ", 7) == 0 ||
3852 strncmp(res->cmdStatus, "DELETE ", 7) == 0 ||
3853 strncmp(res->cmdStatus, "UPDATE ", 7) == 0)
3854 p = res->cmdStatus + 7;
3855 else if (strncmp(res->cmdStatus, "FETCH ", 6) == 0 ||
3856 strncmp(res->cmdStatus, "MERGE ", 6) == 0)
3857 p = res->cmdStatus + 6;
3858 else if (strncmp(res->cmdStatus, "MOVE ", 5) == 0 ||
3859 strncmp(res->cmdStatus, "COPY ", 5) == 0)
3860 p = res->cmdStatus + 5;
3861 else
3862 return "";
3863
3864 /* check that we have an integer (at least one digit, nothing else) */
3865 for (c = p; *c; c++)
3866 {
3867 if (!isdigit((unsigned char) *c))
3868 goto interpret_error;
3869 }
3870 if (c == p)
3871 goto interpret_error;
3872
3873 return p;
3874
3875interpret_error:
3877 "could not interpret result from server: %s",
3878 res->cmdStatus);
3879 return "";
3880}
3881
3882/*
3883 * PQgetvalue:
3884 * return the value of field 'field_num' of row 'tup_num'
3885 */
3886char *
3887PQgetvalue(const PGresult *res, int tup_num, int field_num)
3888{
3889 if (!check_tuple_field_number(res, tup_num, field_num))
3890 return NULL;
3891 return res->tuples[tup_num][field_num].value;
3892}
3893
3894/* PQgetlength:
3895 * returns the actual length of a field value in bytes.
3896 */
3897int
3898PQgetlength(const PGresult *res, int tup_num, int field_num)
3899{
3900 if (!check_tuple_field_number(res, tup_num, field_num))
3901 return 0;
3902 if (res->tuples[tup_num][field_num].len != NULL_LEN)
3903 return res->tuples[tup_num][field_num].len;
3904 else
3905 return 0;
3906}
3907
3908/* PQgetisnull:
3909 * returns the null status of a field value.
3910 */
3911int
3912PQgetisnull(const PGresult *res, int tup_num, int field_num)
3913{
3914 if (!check_tuple_field_number(res, tup_num, field_num))
3915 return 1; /* pretend it is null */
3916 if (res->tuples[tup_num][field_num].len == NULL_LEN)
3917 return 1;
3918 else
3919 return 0;
3920}
3921
3922/* PQnparams:
3923 * returns the number of input parameters of a prepared statement.
3924 */
3925int
3927{
3928 if (!res)
3929 return 0;
3930 return res->numParameters;
3931}
3932
3933/* PQparamtype:
3934 * returns type Oid of the specified statement parameter.
3935 */
3936Oid
3937PQparamtype(const PGresult *res, int param_num)
3938{
3939 if (!check_param_number(res, param_num))
3940 return InvalidOid;
3941 if (res->paramDescs)
3942 return res->paramDescs[param_num].typid;
3943 else
3944 return InvalidOid;
3945}
3946
3947
3948/* PQsetnonblocking:
3949 * sets the PGconn's database connection non-blocking if the arg is true
3950 * or makes it blocking if the arg is false, this will not protect
3951 * you from PQexec(), you'll only be safe when using the non-blocking API.
3952 * Needs to be called only on a connected database connection.
3953 */
3954int
3956{
3957 bool barg;
3958
3959 if (!conn || conn->status == CONNECTION_BAD)
3960 return -1;
3961
3962 barg = (arg ? true : false);
3963
3964 /* early out if the socket is already in the state requested */
3965 if (barg == conn->nonblocking)
3966 return 0;
3967
3968 /*
3969 * to guarantee constancy for flushing/query/result-polling behavior we
3970 * need to flush the send queue at this point in order to guarantee proper
3971 * behavior. this is ok because either they are making a transition _from_
3972 * or _to_ blocking mode, either way we can block them.
3973 *
3974 * Clear error state in case pqFlush adds to it, unless we're actively
3975 * pipelining, in which case it seems best not to.
3976 */
3977 if (conn->cmd_queue_head == NULL)
3979
3980 /* if we are going from blocking to non-blocking flush here */
3981 if (pqFlush(conn))
3982 return -1;
3983
3984 conn->nonblocking = barg;
3985
3986 return 0;
3987}
3988
3989/*
3990 * return the blocking status of the database connection
3991 * true == nonblocking, false == blocking
3992 */
3993int
3995{
3996 if (!conn || conn->status == CONNECTION_BAD)
3997 return false;
3998 return pqIsnonblocking(conn);
3999}
4000
4001/* libpq is thread-safe? */
4002int
4004{
4005 return true;
4006}
4007
4008
4009/* try to force data out, really only useful for non-blocking users */
4010int
4012{
4013 if (!conn || conn->status == CONNECTION_BAD)
4014 return -1;
4015 return pqFlush(conn);
4016}
4017
4018/*
4019 * pqPipelineFlush
4020 *
4021 * In pipeline mode, data will be flushed only when the out buffer reaches the
4022 * threshold value. In non-pipeline mode, it behaves as stock pqFlush.
4023 *
4024 * Returns 0 on success.
4025 */
4026static int
4028{
4031 return pqFlush(conn);
4032 return 0;
4033}
4034
4035
4036/*
4037 * PQfreemem - safely frees memory allocated
4038 *
4039 * Needed mostly by Win32, unless multithreaded DLL (/MD in VC6)
4040 * Used for freeing memory from PQescapeBytea()/PQunescapeBytea()
4041 */
4042void
4043PQfreemem(void *ptr)
4044{
4045 free(ptr);
4046}
4047
4048/*
4049 * PQfreeNotify - free's the memory associated with a PGnotify
4050 *
4051 * This function is here only for binary backward compatibility.
4052 * New code should use PQfreemem(). A macro will automatically map
4053 * calls to PQfreemem. It should be removed in the future. bjm 2003-03-24
4054 */
4055
4056#undef PQfreeNotify
4057void PQfreeNotify(PGnotify *notify);
4058
4059void
4061{
4062 PQfreemem(notify);
4063}
4064
4065
4066/*
4067 * Escaping arbitrary strings to get valid SQL literal strings.
4068 *
4069 * Replaces "'" with "''", and if not std_strings, replaces "\" with "\\".
4070 *
4071 * length is the length of the source string. (Note: if a terminating NUL
4072 * is encountered sooner, PQescapeString stops short of "length"; the behavior
4073 * is thus rather like strncpy.)
4074 *
4075 * For safety the buffer at "to" must be at least 2*length + 1 bytes long.
4076 * A terminating NUL character is added to the output string, whether the
4077 * input is NUL-terminated or not.
4078 *
4079 * Returns the actual length of the output (not counting the terminating NUL).
4080 */
4081static size_t
4083 char *to, const char *from, size_t length,
4084 int *error,
4085 int encoding, bool std_strings)
4086{
4087 const char *source = from;
4088 char *target = to;
4089 size_t remaining = strnlen(from, length);
4090 bool already_complained = false;
4091
4092 if (error)
4093 *error = 0;
4094
4095 while (remaining > 0)
4096 {
4097 char c = *source;
4098 int charlen;
4099 int i;
4100
4101 /* Fast path for plain ASCII */
4102 if (!IS_HIGHBIT_SET(c))
4103 {
4104 /* Apply quoting if needed */
4105 if (SQL_STR_DOUBLE(c, !std_strings))
4106 *target++ = c;
4107 /* Copy the character */
4108 *target++ = c;
4109 source++;
4110 remaining--;
4111 continue;
4112 }
4113
4114 /* Slow path for possible multibyte characters */
4116 source, remaining);
4117
4118 if (remaining < charlen ||
4119 pg_encoding_verifymbchar(encoding, source, charlen) == -1)
4120 {
4121 /*
4122 * Multibyte character is invalid. It's important to verify that
4123 * as invalid multibyte characters could e.g. be used to "skip"
4124 * over quote characters, e.g. when parsing
4125 * character-by-character.
4126 *
4127 * Report an error if possible, and replace the character's first
4128 * byte with an invalid sequence. The invalid sequence ensures
4129 * that the escaped string will trigger an error on the
4130 * server-side, even if we can't directly report an error here.
4131 *
4132 * This isn't *that* crucial when we can report an error to the
4133 * caller; but if we can't or the caller ignores it, the caller
4134 * will use this string unmodified and it needs to be safe for
4135 * parsing.
4136 *
4137 * We know there's enough space for the invalid sequence because
4138 * the "to" buffer needs to be at least 2 * length + 1 long, and
4139 * at worst we're replacing a single input byte with two invalid
4140 * bytes.
4141 *
4142 * It would be a bit faster to verify the whole string the first
4143 * time we encounter a set highbit, but this way we can replace
4144 * just the invalid data, which probably makes it easier for users
4145 * to find the invalidly encoded portion of a larger string.
4146 */
4147 if (error)
4148 *error = 1;
4149 if (conn && !already_complained)
4150 {
4151 if (remaining < charlen)
4152 libpq_append_conn_error(conn, "incomplete multibyte character");
4153 else
4154 libpq_append_conn_error(conn, "invalid multibyte character");
4155 /* Issue a complaint only once per string */
4156 already_complained = true;
4157 }
4158
4160 target += 2;
4161
4162 /*
4163 * Handle the following bytes as if this byte didn't exist. That's
4164 * safer in case the subsequent bytes contain important characters
4165 * for the caller (e.g. '>' in html).
4166 */
4167 source++;
4168 remaining--;
4169 }
4170 else
4171 {
4172 /* Copy the character */
4173 for (i = 0; i < charlen; i++)
4174 {
4175 *target++ = *source++;
4176 remaining--;
4177 }
4178 }
4179 }
4180
4181 /* Write the terminating NUL character. */
4182 *target = '\0';
4183
4184 return target - to;
4185}
4186
4187size_t
4189 char *to, const char *from, size_t length,
4190 int *error)
4191{
4192 if (!conn)
4193 {
4194 /* force empty-string result */
4195 *to = '\0';
4196 if (error)
4197 *error = 1;
4198 return 0;
4199 }
4200
4201 if (conn->cmd_queue_head == NULL)
4203
4204 return PQescapeStringInternal(conn, to, from, length, error,
4206 conn->std_strings);
4207}
4208
4209size_t
4210PQescapeString(char *to, const char *from, size_t length)
4211{
4212 return PQescapeStringInternal(NULL, to, from, length, NULL,
4215}
4216
4217
4218/*
4219 * Escape arbitrary strings. If as_ident is true, we escape the result
4220 * as an identifier; if false, as a literal. The result is returned in
4221 * a newly allocated buffer. If we fail due to an encoding violation or out
4222 * of memory condition, we return NULL, storing an error message into conn.
4223 */
4224static char *
4225PQescapeInternal(PGconn *conn, const char *str, size_t len, bool as_ident)
4226{
4227 const char *s;
4228 char *result;
4229 char *rp;
4230 int num_quotes = 0; /* single or double, depending on as_ident */
4231 int num_backslashes = 0;
4232 size_t input_len = strnlen(str, len);
4233 size_t result_size;
4234 char quote_char = as_ident ? '"' : '\'';
4235 bool validated_mb = false;
4236
4237 /* We must have a connection, else fail immediately. */
4238 if (!conn)
4239 return NULL;
4240
4241 if (conn->cmd_queue_head == NULL)
4243
4244 /*
4245 * Scan the string for characters that must be escaped and for invalidly
4246 * encoded data.
4247 */
4248 s = str;
4249 for (size_t remaining = input_len; remaining > 0; remaining--, s++)
4250 {
4251 if (*s == quote_char)
4252 ++num_quotes;
4253 else if (*s == '\\')
4254 ++num_backslashes;
4255 else if (IS_HIGHBIT_SET(*s))
4256 {
4257 int charlen;
4258
4259 /* Slow path for possible multibyte characters */
4261 s, remaining);
4262
4263 if (charlen > remaining)
4264 {
4265 /* Multibyte character overruns allowable length. */
4266 libpq_append_conn_error(conn, "incomplete multibyte character");
4267 return NULL;
4268 }
4269
4270 /*
4271 * If we haven't already, check that multibyte characters are
4272 * valid. It's important to verify that as invalid multi-byte
4273 * characters could e.g. be used to "skip" over quote characters,
4274 * e.g. when parsing character-by-character.
4275 *
4276 * We check validity once, for the whole remainder of the string,
4277 * when we first encounter any multi-byte character. Some
4278 * encodings have optimized implementations for longer strings.
4279 */
4280 if (!validated_mb)
4281 {
4283 != remaining)
4284 {
4285 libpq_append_conn_error(conn, "invalid multibyte character");
4286 return NULL;
4287 }
4288 validated_mb = true;
4289 }
4290
4291 /* Adjust s, bearing in mind that for loop will increment it. */
4292 s += charlen - 1;
4293 remaining -= charlen - 1;
4294 }
4295 }
4296
4297 /* Allocate output buffer. */
4298 result_size = input_len + num_quotes + 3; /* two quotes, plus a NUL */
4299 if (!as_ident && num_backslashes > 0)
4300 result_size += num_backslashes + 2;
4301 result = rp = (char *) malloc(result_size);
4302 if (rp == NULL)
4303 {
4304 libpq_append_conn_error(conn, "out of memory");
4305 return NULL;
4306 }
4307
4308 /*
4309 * If we are escaping a literal that contains backslashes, we use the
4310 * escape string syntax so that the result is correct under either value
4311 * of standard_conforming_strings. We also emit a leading space in this
4312 * case, to guard against the possibility that the result might be
4313 * interpolated immediately following an identifier.
4314 */
4315 if (!as_ident && num_backslashes > 0)
4316 {
4317 *rp++ = ' ';
4318 *rp++ = 'E';
4319 }
4320
4321 /* Opening quote. */
4322 *rp++ = quote_char;
4323
4324 /*
4325 * Use fast path if possible.
4326 *
4327 * We've already verified that the input string is well-formed in the
4328 * current encoding. If it contains no quotes and, in the case of
4329 * literal-escaping, no backslashes, then we can just copy it directly to
4330 * the output buffer, adding the necessary quotes.
4331 *
4332 * If not, we must rescan the input and process each character
4333 * individually.
4334 */
4335 if (num_quotes == 0 && (num_backslashes == 0 || as_ident))
4336 {
4337 memcpy(rp, str, input_len);
4338 rp += input_len;
4339 }
4340 else
4341 {
4342 s = str;
4343 for (size_t remaining = input_len; remaining > 0; remaining--, s++)
4344 {
4345 if (*s == quote_char || (!as_ident && *s == '\\'))
4346 {
4347 *rp++ = *s;
4348 *rp++ = *s;
4349 }
4350 else if (!IS_HIGHBIT_SET(*s))
4351 *rp++ = *s;
4352 else
4353 {
4355
4356 while (1)
4357 {
4358 *rp++ = *s;
4359 if (--i == 0)
4360 break;
4361 remaining--;
4362 ++s; /* for loop will provide the final increment */
4363 }
4364 }
4365 }
4366 }
4367
4368 /* Closing quote and terminating NUL. */
4369 *rp++ = quote_char;
4370 *rp = '\0';
4371
4372 return result;
4373}
4374
4375char *
4376PQescapeLiteral(PGconn *conn, const char *str, size_t len)
4377{
4378 return PQescapeInternal(conn, str, len, false);
4379}
4380
4381char *
4382PQescapeIdentifier(PGconn *conn, const char *str, size_t len)
4383{
4384 return PQescapeInternal(conn, str, len, true);
4385}
4386
4387/* HEX encoding support for bytea */
4388static const char hextbl[] = "0123456789abcdef";
4389
4390static const int8 hexlookup[128] = {
4391 -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
4392 -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
4393 -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
4394 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, -1, -1,
4395 -1, 10, 11, 12, 13, 14, 15, -1, -1, -1, -1, -1, -1, -1, -1, -1,
4396 -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
4397 -1, 10, 11, 12, 13, 14, 15, -1, -1, -1, -1, -1, -1, -1, -1, -1,
4398 -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1,
4399};
4400
4401static inline char
4403{
4404 int res = -1;
4405
4406 if (c > 0 && c < 127)
4407 res = hexlookup[(unsigned char) c];
4408
4409 return (char) res;
4410}
4411
4412
4413/*
4414 * PQescapeBytea - converts from binary string to the
4415 * minimal encoding necessary to include the string in an SQL
4416 * INSERT statement with a bytea type column as the target.
4417 *
4418 * We can use either hex or escape (traditional) encoding.
4419 * In escape mode, the following transformations are applied:
4420 * '\0' == ASCII 0 == \000
4421 * '\'' == ASCII 39 == ''
4422 * '\\' == ASCII 92 == \\
4423 * anything < 0x20, or > 0x7e ---> \ooo
4424 * (where ooo is an octal expression)
4425 *
4426 * If not std_strings, all backslashes sent to the output are doubled.
4427 */
4428static unsigned char *
4430 const unsigned char *from, size_t from_length,
4431 size_t *to_length, bool std_strings, bool use_hex)
4432{
4433 const unsigned char *vp;
4434 unsigned char *rp;
4435 unsigned char *result;
4436 size_t i;
4437 size_t len;
4438 size_t bslash_len = (std_strings ? 1 : 2);
4439
4440 /*
4441 * empty string has 1 char ('\0')
4442 */
4443 len = 1;
4444
4445 if (use_hex)
4446 {
4447 len += bslash_len + 1 + 2 * from_length;
4448 }
4449 else
4450 {
4451 vp = from;
4452 for (i = from_length; i > 0; i--, vp++)
4453 {
4454 if (*vp < 0x20 || *vp > 0x7e)
4455 len += bslash_len + 3;
4456 else if (*vp == '\'')
4457 len += 2;
4458 else if (*vp == '\\')
4459 len += bslash_len + bslash_len;
4460 else
4461 len++;
4462 }
4463 }
4464
4465 *to_length = len;
4466 rp = result = (unsigned char *) malloc(len);
4467 if (rp == NULL)
4468 {
4469 if (conn)
4470 libpq_append_conn_error(conn, "out of memory");
4471 return NULL;
4472 }
4473
4474 if (use_hex)
4475 {
4476 if (!std_strings)
4477 *rp++ = '\\';
4478 *rp++ = '\\';
4479 *rp++ = 'x';
4480 }
4481
4482 vp = from;
4483 for (i = from_length; i > 0; i--, vp++)
4484 {
4485 unsigned char c = *vp;
4486
4487 if (use_hex)
4488 {
4489 *rp++ = hextbl[(c >> 4) & 0xF];
4490 *rp++ = hextbl[c & 0xF];
4491 }
4492 else if (c < 0x20 || c > 0x7e)
4493 {
4494 if (!std_strings)
4495 *rp++ = '\\';
4496 *rp++ = '\\';
4497 *rp++ = (c >> 6) + '0';
4498 *rp++ = ((c >> 3) & 07) + '0';
4499 *rp++ = (c & 07) + '0';
4500 }
4501 else if (c == '\'')
4502 {
4503 *rp++ = '\'';
4504 *rp++ = '\'';
4505 }
4506 else if (c == '\\')
4507 {
4508 if (!std_strings)
4509 {
4510 *rp++ = '\\';
4511 *rp++ = '\\';
4512 }
4513 *rp++ = '\\';
4514 *rp++ = '\\';
4515 }
4516 else
4517 *rp++ = c;
4518 }
4519 *rp = '\0';
4520
4521 return result;
4522}
4523
4524unsigned char *
4526 const unsigned char *from, size_t from_length,
4527 size_t *to_length)
4528{
4529 if (!conn)
4530 return NULL;
4531
4532 if (conn->cmd_queue_head == NULL)
4534
4535 return PQescapeByteaInternal(conn, from, from_length, to_length,
4537 (conn->sversion >= 90000));
4538}
4539
4540unsigned char *
4541PQescapeBytea(const unsigned char *from, size_t from_length, size_t *to_length)
4542{
4543 return PQescapeByteaInternal(NULL, from, from_length, to_length,
4545 false /* can't use hex */ );
4546}
4547
4548
4549#define ISFIRSTOCTDIGIT(CH) ((CH) >= '0' && (CH) <= '3')
4550#define ISOCTDIGIT(CH) ((CH) >= '0' && (CH) <= '7')
4551#define OCTVAL(CH) ((CH) - '0')
4552
4553/*
4554 * PQunescapeBytea - converts the null terminated string representation
4555 * of a bytea, strtext, into binary, filling a buffer. It returns a
4556 * pointer to the buffer (or NULL on error), and the size of the
4557 * buffer in retbuflen. The pointer may subsequently be used as an
4558 * argument to the function PQfreemem.
4559 *
4560 * The following transformations are made:
4561 * \\ == ASCII 92 == \
4562 * \ooo == a byte whose value = ooo (ooo is an octal number)
4563 * \x == x (x is any character not matched by the above transformations)
4564 */
4565unsigned char *
4566PQunescapeBytea(const unsigned char *strtext, size_t *retbuflen)
4567{
4568 size_t strtextlen,
4569 buflen;
4570 unsigned char *buffer,
4571 *tmpbuf;
4572 size_t i,
4573 j;
4574
4575 if (strtext == NULL)
4576 return NULL;
4577
4578 strtextlen = strlen((const char *) strtext);
4579
4580 if (strtext[0] == '\\' && strtext[1] == 'x')
4581 {
4582 const unsigned char *s;
4583 unsigned char *p;
4584
4585 buflen = (strtextlen - 2) / 2;
4586 /* Avoid unportable malloc(0) */
4587 buffer = (unsigned char *) malloc(buflen > 0 ? buflen : 1);
4588 if (buffer == NULL)
4589 return NULL;
4590
4591 s = strtext + 2;
4592 p = buffer;
4593 while (*s)
4594 {
4595 char v1,
4596 v2;
4597
4598 /*
4599 * Bad input is silently ignored. Note that this includes
4600 * whitespace between hex pairs, which is allowed by byteain.
4601 */
4602 v1 = get_hex(*s++);
4603 if (!*s || v1 == (char) -1)
4604 continue;
4605 v2 = get_hex(*s++);
4606 if (v2 != (char) -1)
4607 *p++ = (v1 << 4) | v2;
4608 }
4609
4610 buflen = p - buffer;
4611 }
4612 else
4613 {
4614 /*
4615 * Length of input is max length of output, but add one to avoid
4616 * unportable malloc(0) if input is zero-length.
4617 */
4618 buffer = (unsigned char *) malloc(strtextlen + 1);
4619 if (buffer == NULL)
4620 return NULL;
4621
4622 for (i = j = 0; i < strtextlen;)
4623 {
4624 switch (strtext[i])
4625 {
4626 case '\\':
4627 i++;
4628 if (strtext[i] == '\\')
4629 buffer[j++] = strtext[i++];
4630 else
4631 {
4632 if ((ISFIRSTOCTDIGIT(strtext[i])) &&
4633 (ISOCTDIGIT(strtext[i + 1])) &&
4634 (ISOCTDIGIT(strtext[i + 2])))
4635 {
4636 int byte;
4637
4638 byte = OCTVAL(strtext[i++]);
4639 byte = (byte << 3) + OCTVAL(strtext[i++]);
4640 byte = (byte << 3) + OCTVAL(strtext[i++]);
4641 buffer[j++] = byte;
4642 }
4643 }
4644
4645 /*
4646 * Note: if we see '\' followed by something that isn't a
4647 * recognized escape sequence, we loop around having done
4648 * nothing except advance i. Therefore the something will
4649 * be emitted as ordinary data on the next cycle. Corner
4650 * case: '\' at end of string will just be discarded.
4651 */
4652 break;
4653
4654 default:
4655 buffer[j++] = strtext[i++];
4656 break;
4657 }
4658 }
4659 buflen = j; /* buflen is the length of the dequoted data */
4660 }
4661
4662 /* Shrink the buffer to be no larger than necessary */
4663 /* +1 avoids unportable behavior when buflen==0 */
4664 tmpbuf = realloc(buffer, buflen + 1);
4665
4666 /* It would only be a very brain-dead realloc that could fail, but... */
4667 if (!tmpbuf)
4668 {
4669 free(buffer);
4670 return NULL;
4671 }
4672
4673 *retbuflen = buflen;
4674 return tmpbuf;
4675}
#define unconstify(underlying_type, expr)
Definition: c.h:1245
#define IS_HIGHBIT_SET(ch)
Definition: c.h:1155
int8_t int8
Definition: c.h:533
#define SQL_STR_DOUBLE(ch, escape_backslash)
Definition: c.h:1163
#define lengthof(array)
Definition: c.h:788
int errmsg(const char *fmt,...)
Definition: elog.c:1071
static int PQsendQueryInternal(PGconn *conn, const char *query, bool newQuery)
Definition: fe-exec.c:1439
int PQsendQueryParams(PGconn *conn, const char *command, int nParams, const Oid *paramTypes, const char *const *paramValues, const int *paramLengths, const int *paramFormats, int resultFormat)
Definition: fe-exec.c:1503
int PQsendQueryContinue(PGconn *conn, const char *query)
Definition: fe-exec.c:1433
int PQgetlength(const PGresult *res, int tup_num, int field_num)
Definition: fe-exec.c:3898
int PQsetSingleRowMode(PGconn *conn)
Definition: fe-exec.c:1959
static char get_hex(char c)
Definition: fe-exec.c:4402
int PQbinaryTuples(const PGresult *res)
Definition: fe-exec.c:3508
int PQflush(PGconn *conn)
Definition: fe-exec.c:4011
PGresult * PQcopyResult(const PGresult *src, int flags)
Definition: fe-exec.c:318
void PQfreemem(void *ptr)
Definition: fe-exec.c:4043
static unsigned char * PQescapeByteaInternal(PGconn *conn, const unsigned char *from, size_t from_length, size_t *to_length, bool std_strings, bool use_hex)
Definition: fe-exec.c:4429
int PQgetline(PGconn *conn, char *buffer, int length)
Definition: fe-exec.c:2865
void * pqResultAlloc(PGresult *res, size_t nBytes, bool isBinary)
Definition: fe-exec.c:563
static bool canChangeResultMode(PGconn *conn)
Definition: fe-exec.c:1936
static size_t PQescapeStringInternal(PGconn *conn, char *to, const char *from, size_t length, int *error, int encoding, bool std_strings)
Definition: fe-exec.c:4082
Oid PQftype(const PGresult *res, int field_num)
Definition: fe-exec.c:3730
char * PQresultVerboseErrorMessage(const PGresult *res, PGVerbosity verbosity, PGContextVisibility show_context)
Definition: fe-exec.c:3446
PGresult * PQdescribePrepared(PGconn *conn, const char *stmt)
Definition: fe-exec.c:2466
PGresult * PQexecParams(PGconn *conn, const char *command, int nParams, const Oid *paramTypes, const char *const *paramValues, const int *paramLengths, const int *paramFormats, int resultFormat)
Definition: fe-exec.c:2287
int PQexitPipelineMode(PGconn *conn)
Definition: fe-exec.c:3084
PGresult * PQexecPrepared(PGconn *conn, const char *stmtName, int nParams, const char *const *paramValues, const int *paramLengths, const int *paramFormats, int resultFormat)
Definition: fe-exec.c:2334
int PQsendClosePortal(PGconn *conn, const char *portal)
Definition: fe-exec.c:2580
static PGcmdQueueEntry * pqAllocCmdQueueEntry(PGconn *conn)
Definition: fe-exec.c:1317
int PQsetResultAttrs(PGresult *res, int numAttributes, PGresAttDesc *attDescs)
Definition: fe-exec.c:249
#define ISOCTDIGIT(CH)
Definition: fe-exec.c:4550
unsigned char * PQunescapeBytea(const unsigned char *strtext, size_t *retbuflen)
Definition: fe-exec.c:4566
void pqSaveMessageField(PGresult *res, char code, const char *value)
Definition: fe-exec.c:1060
static int check_tuple_field_number(const PGresult *res, int tup_num, int field_num)
Definition: fe-exec.c:3536
PGresult * pqPrepareAsyncResult(PGconn *conn)
Definition: fe-exec.c:851
static void pqSaveWriteError(PGconn *conn)
Definition: fe-exec.c:820
int PQenterPipelineMode(PGconn *conn)
Definition: fe-exec.c:3053
void pqCommandQueueAdvance(PGconn *conn, bool isReadyForQuery, bool gotSync)
Definition: fe-exec.c:3153
void pqSetResultError(PGresult *res, PQExpBuffer errorMessage, int offset)
Definition: fe-exec.c:692
size_t PQescapeStringConn(PGconn *conn, char *to, const char *from, size_t length, int *error)
Definition: fe-exec.c:4188
void pqSaveErrorResult(PGconn *conn)
Definition: fe-exec.c:803
PGresult * PQclosePrepared(PGconn *conn, const char *stmt)
Definition: fe-exec.c:2532
char *const pgresStatus[]
Definition: fe-exec.c:32
char * PQgetvalue(const PGresult *res, int tup_num, int field_num)
Definition: fe-exec.c:3887
#define OCTVAL(CH)
Definition: fe-exec.c:4551
#define PGRESULT_DATA_BLOCKSIZE
Definition: fe-exec.c:142
PGresult * PQclosePortal(PGconn *conn, const char *portal)
Definition: fe-exec.c:2550
static int pqPipelineSyncInternal(PGconn *conn, bool immediate_flush)
Definition: fe-exec.c:3305
PGresult * PQgetResult(PGconn *conn)
Definition: fe-exec.c:2073
ExecStatusType PQresultStatus(const PGresult *res)
Definition: fe-exec.c:3422
Oid PQparamtype(const PGresult *res, int param_num)
Definition: fe-exec.c:3937
static int check_param_number(const PGresult *res, int param_num)
Definition: fe-exec.c:3559
int pqRowProcessor(PGconn *conn, const char **errmsgp)
Definition: fe-exec.c:1217
int PQnparams(const PGresult *res)
Definition: fe-exec.c:3926
void PQclear(PGresult *res)
Definition: fe-exec.c:721
int PQsendClosePrepared(PGconn *conn, const char *stmt)
Definition: fe-exec.c:2567
char * PQcmdTuples(PGresult *res)
Definition: fe-exec.c:3833
static PGresult * PQexecFinish(PGconn *conn)
Definition: fe-exec.c:2421
int PQfformat(const PGresult *res, int field_num)
Definition: fe-exec.c:3719
static void pqAppendCmdQueueEntry(PGconn *conn, PGcmdQueueEntry *entry)
Definition: fe-exec.c:1350
static int PQsendQueryGuts(PGconn *conn, const char *command, const char *stmtName, int nParams, const Oid *paramTypes, const char *const *paramValues, const int *paramLengths, const int *paramFormats, int resultFormat)
Definition: fe-exec.c:1768
int PQendcopy(PGconn *conn)
Definition: fe-exec.c:2960
static int pqPipelineFlush(PGconn *conn)
Definition: fe-exec.c:4027
int PQputCopyEnd(PGconn *conn, const char *errormsg)
Definition: fe-exec.c:2760
static int PQsendTypedCommand(PGconn *conn, char command, char type, const char *target)
Definition: fe-exec.c:2600
int PQsendPipelineSync(PGconn *conn)
Definition: fe-exec.c:3293
int PQntuples(const PGresult *res)
Definition: fe-exec.c:3492
int PQputnbytes(PGconn *conn, const char *buffer, int nbytes)
Definition: fe-exec.c:2939
int PQputline(PGconn *conn, const char *string)
Definition: fe-exec.c:2929
int PQgetlineAsync(PGconn *conn, char *buffer, int bufsize)
Definition: fe-exec.c:2912
static const PGresult OOM_result
Definition: fe-exec.c:49
#define PGRESULT_BLOCK_OVERHEAD
Definition: fe-exec.c:144
int PQputCopyData(PGconn *conn, const char *buffer, int nbytes)
Definition: fe-exec.c:2706
static PGresult * getCopyResult(PGconn *conn, ExecStatusType copytype)
Definition: fe-exec.c:2235
PGresult * PQmakeEmptyPGresult(PGconn *conn, ExecStatusType status)
Definition: fe-exec.c:159
static PGEvent * dupEvents(PGEvent *events, int count, size_t *memSize)
Definition: fe-exec.c:408
PGresult * PQprepare(PGconn *conn, const char *stmtName, const char *query, int nParams, const Oid *paramTypes)
Definition: fe-exec.c:2317
int PQisthreadsafe(void)
Definition: fe-exec.c:4003
static bool static_std_strings
Definition: fe-exec.c:60
char * PQresultErrorMessage(const PGresult *res)
Definition: fe-exec.c:3438
void pqInternalNotice(const PGNoticeHooks *hooks, const char *fmt,...)
Definition: fe-exec.c:938
int PQsendDescribePrepared(PGconn *conn, const char *stmt)
Definition: fe-exec.c:2502
char * PQfname(const PGresult *res, int field_num)
Definition: fe-exec.c:3578
static const char hextbl[]
Definition: fe-exec.c:4388
static bool PQexecStart(PGconn *conn)
Definition: fe-exec.c:2355
size_t PQescapeString(char *to, const char *from, size_t length)
Definition: fe-exec.c:4210
int PQconsumeInput(PGconn *conn)
Definition: fe-exec.c:1995
static char * PQescapeInternal(PGconn *conn, const char *str, size_t len, bool as_ident)
Definition: fe-exec.c:4225
#define ISFIRSTOCTDIGIT(CH)
Definition: fe-exec.c:4549
static void parseInput(PGconn *conn)
Definition: fe-exec.c:2031
Oid PQftable(const PGresult *res, int field_num)
Definition: fe-exec.c:3697
int PQfnumber(const PGresult *res, const char *field_name)
Definition: fe-exec.c:3600
unsigned char * PQescapeBytea(const unsigned char *from, size_t from_length, size_t *to_length)
Definition: fe-exec.c:4541
int PQsetnonblocking(PGconn *conn, int arg)
Definition: fe-exec.c:3955
char * PQescapeLiteral(PGconn *conn, const char *str, size_t len)
Definition: fe-exec.c:4376
PGresult * PQfn(PGconn *conn, int fnid, int *result_buf, int *result_len, int result_is_int, const PQArgBlock *args, int nargs)
Definition: fe-exec.c:2991
int PQsendPrepare(PGconn *conn, const char *stmtName, const char *query, int nParams, const Oid *paramTypes)
Definition: fe-exec.c:1547
#define PGRESULT_SEP_ALLOC_THRESHOLD
Definition: fe-exec.c:145
PGresult * PQdescribePortal(PGconn *conn, const char *portal)
Definition: fe-exec.c:2485
int PQfmod(const PGresult *res, int field_num)
Definition: fe-exec.c:3752
void pqClearAsyncResult(PGconn *conn)
Definition: fe-exec.c:779
int PQgetisnull(const PGresult *res, int tup_num, int field_num)
Definition: fe-exec.c:3912
int PQftablecol(const PGresult *res, int field_num)
Definition: fe-exec.c:3708
int PQsetChunkedRowsMode(PGconn *conn, int chunkSize)
Definition: fe-exec.c:1976
static int static_client_encoding
Definition: fe-exec.c:59
char * PQresultErrorField(const PGresult *res, int fieldcode)
Definition: fe-exec.c:3477
int PQsetvalue(PGresult *res, int tup_num, int field_num, char *value, int len)
Definition: fe-exec.c:452
int PQsendQuery(PGconn *conn, const char *query)
Definition: fe-exec.c:1427
char * PQcmdStatus(PGresult *res)
Definition: fe-exec.c:3763
int PQpipelineSync(PGconn *conn)
Definition: fe-exec.c:3283
char * PQoidStatus(const PGresult *res)
Definition: fe-exec.c:3776
int PQsendDescribePortal(PGconn *conn, const char *portal)
Definition: fe-exec.c:2515
char * PQresStatus(ExecStatusType status)
Definition: fe-exec.c:3430
size_t PQresultMemorySize(const PGresult *res)
Definition: fe-exec.c:663
void * PQresultAlloc(PGresult *res, size_t nBytes)
Definition: fe-exec.c:543
int PQisBusy(PGconn *conn)
Definition: fe-exec.c:2042
PGresult * PQexec(PGconn *conn, const char *query)
Definition: fe-exec.c:2273
unsigned char * PQescapeByteaConn(PGconn *conn, const unsigned char *from, size_t from_length, size_t *to_length)
Definition: fe-exec.c:4525
int PQsendQueryPrepared(PGconn *conn, const char *stmtName, int nParams, const char *const *paramValues, const int *paramLengths, const int *paramFormats, int resultFormat)
Definition: fe-exec.c:1644
static void pqPipelineProcessQueue(PGconn *conn)
Definition: fe-exec.c:3191
char * PQescapeIdentifier(PGconn *conn, const char *str, size_t len)
Definition: fe-exec.c:4382
int PQsendFlushRequest(PGconn *conn)
Definition: fe-exec.c:3382
int pqSaveParameterStatus(PGconn *conn, const char *name, const char *value)
Definition: fe-exec.c:1085
int PQisnonblocking(const PGconn *conn)
Definition: fe-exec.c:3994
char * pqResultStrdup(PGresult *res, const char *str)
Definition: fe-exec.c:675
Oid PQoidValue(const PGresult *res)
Definition: fe-exec.c:3804
static bool pqAddTuple(PGresult *res, PGresAttValue *tup, const char **errmsgp)
Definition: fe-exec.c:993
#define PGRESULT_ALIGN_BOUNDARY
Definition: fe-exec.c:143
int PQnfields(const PGresult *res)
Definition: fe-exec.c:3500
static int check_field_number(const PGresult *res, int field_num)
Definition: fe-exec.c:3521
int PQfsize(const PGresult *res, int field_num)
Definition: fe-exec.c:3741
PGnotify * PQnotifies(PGconn *conn)
Definition: fe-exec.c:2678
static bool PQsendQueryStart(PGconn *conn, bool newQuery)
Definition: fe-exec.c:1684
static const int8 hexlookup[128]
Definition: fe-exec.c:4390
int PQgetCopyData(PGconn *conn, char **buffer, int async)
Definition: fe-exec.c:2827
static void pqRecycleCmdQueueEntry(PGconn *conn, PGcmdQueueEntry *entry)
Definition: fe-exec.c:1397
void PQfreeNotify(PGnotify *notify)
Definition: fe-exec.c:4060
int pqPutc(char c, PGconn *conn)
Definition: fe-misc.c:92
int pqReadData(PGconn *conn)
Definition: fe-misc.c:606
int pqPutInt(int value, size_t bytes, PGconn *conn)
Definition: fe-misc.c:253
int pqCheckOutBufferSpace(size_t bytes_needed, PGconn *conn)
Definition: fe-misc.c:287
int pqFlush(PGconn *conn)
Definition: fe-misc.c:994
int pqPutMsgStart(char msg_type, PGconn *conn)
Definition: fe-misc.c:473
int pqWait(int forRead, int forWrite, PGconn *conn)
Definition: fe-misc.c:1019
int pqPutnchar(const void *s, size_t len, PGconn *conn)
Definition: fe-misc.c:202
int pqPuts(const char *s, PGconn *conn)
Definition: fe-misc.c:152
int pqPutMsgEnd(PGconn *conn)
Definition: fe-misc.c:532
void pqBuildErrorMessage3(PQExpBuffer msg, const PGresult *res, PGVerbosity verbosity, PGContextVisibility show_context)
void pqParseInput3(PGconn *conn)
Definition: fe-protocol3.c:68
int pqEndcopy3(PGconn *conn)
PGresult * pqFunctionCall3(PGconn *conn, Oid fnid, int *result_buf, int *actual_result_len, int result_is_int, const PQArgBlock *args, int nargs)
int pqGetlineAsync3(PGconn *conn, char *buffer, int bufsize)
int pqGetCopyData3(PGconn *conn, char **buffer, int async)
int pqGetline3(PGconn *conn, char *s, int maxlen)
Assert(PointerIsAligned(start, uint64))
const char * str
#define realloc(a, b)
Definition: header.h:60
#define free(a)
Definition: header.h:65
#define malloc(a)
Definition: header.h:50
#define stmt
Definition: indent_codes.h:59
#define bufsize
Definition: indent_globs.h:36
long val
Definition: informix.c:689
int remaining
Definition: informix.c:692
static struct @166 value
return true
Definition: isn.c:130
int j
Definition: isn.c:78
int i
Definition: isn.c:77
if(TABLE==NULL||TABLE_index==NULL)
Definition: isn.c:81
int PQfireResultCreateEvents(PGconn *conn, PGresult *res)
Definition: libpq-events.c:185
@ PGEVT_RESULTDESTROY
Definition: libpq-events.h:34
@ PGEVT_RESULTCOPY
Definition: libpq-events.h:33
@ CONNECTION_BAD
Definition: libpq-fe.h:85
@ CONNECTION_OK
Definition: libpq-fe.h:84
ExecStatusType
Definition: libpq-fe.h:123
@ PGRES_COPY_IN
Definition: libpq-fe.h:132
@ PGRES_COPY_BOTH
Definition: libpq-fe.h:137
@ PGRES_COMMAND_OK
Definition: libpq-fe.h:125
@ PGRES_TUPLES_CHUNK
Definition: libpq-fe.h:142
@ PGRES_FATAL_ERROR
Definition: libpq-fe.h:136
@ PGRES_SINGLE_TUPLE
Definition: libpq-fe.h:138
@ PGRES_COPY_OUT
Definition: libpq-fe.h:131
@ PGRES_EMPTY_QUERY
Definition: libpq-fe.h:124
@ PGRES_PIPELINE_SYNC
Definition: libpq-fe.h:139
@ PGRES_PIPELINE_ABORTED
Definition: libpq-fe.h:140
@ PGRES_NONFATAL_ERROR
Definition: libpq-fe.h:135
@ PGRES_TUPLES_OK
Definition: libpq-fe.h:128
PGContextVisibility
Definition: libpq-fe.h:163
#define PG_COPYRES_TUPLES
Definition: libpq-fe.h:70
@ PQ_PIPELINE_OFF
Definition: libpq-fe.h:187
@ PQ_PIPELINE_ABORTED
Definition: libpq-fe.h:189
@ PQ_PIPELINE_ON
Definition: libpq-fe.h:188
#define PG_COPYRES_ATTRS
Definition: libpq-fe.h:69
struct pg_result PGresult
Definition: libpq-fe.h:214
PGVerbosity
Definition: libpq-fe.h:155
#define PG_COPYRES_EVENTS
Definition: libpq-fe.h:71
#define PG_COPYRES_NOTICEHOOKS
Definition: libpq-fe.h:72
#define PQ_QUERY_PARAM_MAX_LIMIT
Definition: libpq-fe.h:507
struct PGEvent PGEvent
@ PGASYNC_COPY_OUT
Definition: libpq-int.h:223
@ PGASYNC_READY_MORE
Definition: libpq-int.h:219
@ PGASYNC_READY
Definition: libpq-int.h:217
@ PGASYNC_COPY_BOTH
Definition: libpq-int.h:224
@ PGASYNC_IDLE
Definition: libpq-int.h:215
@ PGASYNC_COPY_IN
Definition: libpq-int.h:222
@ PGASYNC_BUSY
Definition: libpq-int.h:216
@ PGASYNC_PIPELINE_IDLE
Definition: libpq-int.h:225
@ PGQUERY_SIMPLE
Definition: libpq-int.h:320
@ PGQUERY_SYNC
Definition: libpq-int.h:324
@ PGQUERY_EXTENDED
Definition: libpq-int.h:321
@ PGQUERY_DESCRIBE
Definition: libpq-int.h:323
@ PGQUERY_CLOSE
Definition: libpq-int.h:325
@ PGQUERY_PREPARE
Definition: libpq-int.h:322
#define NULL_LEN
Definition: libpq-int.h:130
struct pgParameterStatus pgParameterStatus
#define pqClearConnErrorState(conn)
Definition: libpq-int.h:914
union pgresult_data PGresult_data
Definition: libpq-int.h:98
#define pqIsnonblocking(conn)
Definition: libpq-int.h:930
#define OUTBUFFER_THRESHOLD
Definition: libpq-int.h:935
#define pgHavePendingResult(conn)
Definition: libpq-int.h:923
void libpq_append_conn_error(PGconn *conn, const char *fmt,...)
Definition: oauth-utils.c:95
#define libpq_gettext(x)
Definition: oauth-utils.h:86
@ PG_BOOL_YES
Definition: oauth-utils.h:74
@ PG_BOOL_NO
Definition: oauth-utils.h:75
void * arg
const void size_t len
int32 encoding
Definition: pg_database.h:41
static rewind_source * source
Definition: pg_rewind.c:89
static char * buf
Definition: pg_test_fsync.c:72
@ PG_SQL_ASCII
Definition: pg_wchar.h:226
#define pg_char_to_encoding
Definition: pg_wchar.h:629
#define vsnprintf
Definition: port.h:238
#define sprintf
Definition: port.h:241
unsigned char pg_tolower(unsigned char ch)
Definition: pgstrcasecmp.c:122
#define PGINVALID_SOCKET
Definition: port.h:31
size_t strnlen(const char *str, size_t maxlen)
Definition: strnlen.c:26
#define InvalidOid
Definition: postgres_ext.h:37
unsigned int Oid
Definition: postgres_ext.h:32
#define PG_DIAG_SEVERITY_NONLOCALIZED
Definition: postgres_ext.h:56
#define PG_DIAG_MESSAGE_PRIMARY
Definition: postgres_ext.h:58
#define PG_DIAG_SEVERITY
Definition: postgres_ext.h:55
void initPQExpBuffer(PQExpBuffer str)
Definition: pqexpbuffer.c:90
void appendPQExpBufferStr(PQExpBuffer str, const char *data)
Definition: pqexpbuffer.c:367
void termPQExpBuffer(PQExpBuffer str)
Definition: pqexpbuffer.c:129
#define PQExpBufferBroken(str)
Definition: pqexpbuffer.h:59
#define PQExpBufferDataBroken(buf)
Definition: pqexpbuffer.h:67
char * c
#define PqMsg_CopyDone
Definition: protocol.h:64
#define PqMsg_CopyData
Definition: protocol.h:65
#define PqMsg_Describe
Definition: protocol.h:21
#define PqMsg_Parse
Definition: protocol.h:25
#define PqMsg_Bind
Definition: protocol.h:19
#define PqMsg_Sync
Definition: protocol.h:27
#define PqMsg_CopyFail
Definition: protocol.h:29
#define PqMsg_Flush
Definition: protocol.h:24
#define PqMsg_Query
Definition: protocol.h:26
#define PqMsg_Execute
Definition: protocol.h:22
#define PqMsg_Close
Definition: protocol.h:20
static void error(void)
Definition: sql-dyntest.c:147
PGconn * conn
Definition: streamutil.c:52
const PGresult * src
Definition: libpq-events.h:60
PGresult * dest
Definition: libpq-events.h:61
void * passThrough
Definition: libpq-int.h:159
char * name
Definition: libpq-int.h:158
void * data
Definition: libpq-int.h:160
PGEventProc proc
Definition: libpq-int.h:157
bool resultInitialized
Definition: libpq-int.h:161
void * noticeProcArg
Definition: libpq-int.h:152
PQnoticeReceiver noticeRec
Definition: libpq-int.h:149
PQnoticeProcessor noticeProc
Definition: libpq-int.h:151
void * noticeRecArg
Definition: libpq-int.h:150
PGQueryClass queryclass
Definition: libpq-int.h:345
struct PGcmdQueueEntry * next
Definition: libpq-int.h:347
struct pgMessageField * next
Definition: libpq-int.h:141
char contents[FLEXIBLE_ARRAY_MEMBER]
Definition: libpq-int.h:143
struct pgNotify * next
Definition: libpq-fe.h:234
struct pgParameterStatus * next
Definition: libpq-int.h:271
char * write_err_msg
Definition: libpq-int.h:513
PGnotify * notifyHead
Definition: libpq-int.h:476
int maxChunkSize
Definition: libpq-int.h:472
PGdataValue * rowBuf
Definition: libpq-int.h:584
bool singleRowMode
Definition: libpq-int.h:471
pgsocket sock
Definition: libpq-int.h:499
bool std_strings
Definition: libpq-int.h:557
int errorReported
Definition: libpq-int.h:675
bool write_failed
Definition: libpq-int.h:512
PGTernaryBool in_hot_standby
Definition: libpq-int.h:559
PGcmdQueueEntry * cmd_queue_recycle
Definition: libpq-int.h:496
PGcmdQueueEntry * cmd_queue_tail
Definition: libpq-int.h:490
PGnotify * notifyTail
Definition: libpq-int.h:477
bool nonblocking
Definition: libpq-int.h:467
int client_encoding
Definition: libpq-int.h:556
int sversion
Definition: libpq-int.h:504
PGTernaryBool default_transaction_read_only
Definition: libpq-int.h:558
pgParameterStatus * pstatus
Definition: libpq-int.h:555
PGresult * result
Definition: libpq-int.h:597
PGresult * saved_result
Definition: libpq-int.h:599
PQExpBufferData errorMessage
Definition: libpq-int.h:674
int nEvents
Definition: libpq-int.h:458
bool error_result
Definition: libpq-int.h:598
PGAsyncStatusType asyncStatus
Definition: libpq-int.h:463
int scram_sha_256_iterations
Definition: libpq-int.h:604
PGpipelineStatus pipelineStatus
Definition: libpq-int.h:469
int outBufSize
Definition: libpq-int.h:575
bool partialResMode
Definition: libpq-int.h:470
PGNoticeHooks noticeHooks
Definition: libpq-int.h:454
PGcmdQueueEntry * cmd_queue_head
Definition: libpq-int.h:489
int outCount
Definition: libpq-int.h:576
PGEvent * events
Definition: libpq-int.h:457
ConnStatusType status
Definition: libpq-int.h:462
size_t memorySize
Definition: libpq-int.h:209
int ntups
Definition: libpq-int.h:166
int curOffset
Definition: libpq-int.h:206
int binary
Definition: libpq-int.h:176
PGNoticeHooks noticeHooks
Definition: libpq-int.h:183
char null_field[1]
Definition: libpq-int.h:198
char * errMsg
Definition: libpq-int.h:193
int nEvents
Definition: libpq-int.h:185
PGresAttValue ** tuples
Definition: libpq-int.h:169
int numParameters
Definition: libpq-int.h:172
int spaceLeft
Definition: libpq-int.h:207
PGresAttDesc * attDescs
Definition: libpq-int.h:168
int numAttributes
Definition: libpq-int.h:167
char cmdStatus[CMDSTATUS_LEN]
Definition: libpq-int.h:175
PGMessageField * errFields
Definition: libpq-int.h:194
PGresParamDesc * paramDescs
Definition: libpq-int.h:173
PGEvent * events
Definition: libpq-int.h:184
PGresult_data * curBlock
Definition: libpq-int.h:205
int tupArrSize
Definition: libpq-int.h:171
ExecStatusType resultStatus
Definition: libpq-int.h:174
char * errQuery
Definition: libpq-int.h:195
int client_encoding
Definition: libpq-int.h:186
char * name
Definition: libpq-fe.h:307
int columnid
Definition: libpq-fe.h:309
int atttypmod
Definition: libpq-fe.h:313
char * value
Definition: libpq-int.h:135
PGresult_data * next
Definition: libpq-int.h:102
char space[1]
Definition: libpq-int.h:103
const char * type
const char * name
static StringInfoData tmpbuf
Definition: walsender.c:178
void pg_encoding_set_invalid(int encoding, char *dst)
Definition: wchar.c:2051
int pg_encoding_mblen_or_incomplete(int encoding, const char *mbstr, size_t remaining)
Definition: wchar.c:2147
int pg_encoding_verifymbstr(int encoding, const char *mbstr, int len)
Definition: wchar.c:2202
int pg_encoding_mblen(int encoding, const char *mbstr)
Definition: wchar.c:2135
int pg_encoding_verifymbchar(int encoding, const char *mbstr, int len)
Definition: wchar.c:2189