blob: 247e4933066f11c8fc20ff2a43316963b04e6372 (
plain) (
blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
|
/* This file, swapproc.c, contains general utility routines that are */
/* used by other FITSIO routines to swap bytes. */
/* The FITSIO software was written by William Pence at the High Energy */
/* Astrophysic Science Archive Research Center (HEASARC) at the NASA */
/* Goddard Space Flight Center. */
#include <string.h>
#include <stdlib.h>
#include "fitsio2.h"
/*--------------------------------------------------------------------------*/
void ffswap2(short *svalues, /* IO - pointer to shorts to be swapped */
long nvals) /* I - number of shorts to be swapped */
/*
swap the bytes in the input short integers: ( 0 1 -> 1 0 )
*/
{
register char *cvalues;
register long ii;
union u_tag {
char cvals[2]; /* equivalence an array of 4 bytes with */
short sval; /* a short */
} u;
cvalues = (char *) svalues; /* copy the initial pointer value */
for (ii = 0; ii < nvals;)
{
u.sval = svalues[ii++]; /* copy next short to temporary buffer */
*cvalues++ = u.cvals[1]; /* copy the 2 bytes to output in turn */
*cvalues++ = u.cvals[0];
}
return;
}
/*--------------------------------------------------------------------------*/
void ffswap4(INT32BIT *ivalues, /* IO - pointer to floats to be swapped */
long nvals) /* I - number of floats to be swapped */
/*
swap the bytes in the input 4-byte integer: ( 0 1 2 3 -> 3 2 1 0 )
*/
{
register char *cvalues;
register long ii;
union u_tag {
char cvals[4]; /* equivalence an array of 4 bytes with */
INT32BIT ival; /* a float */
} u;
cvalues = (char *) ivalues; /* copy the initial pointer value */
for (ii = 0; ii < nvals;)
{
u.ival = ivalues[ii++]; /* copy next float to buffer */
*cvalues++ = u.cvals[3]; /* copy the 4 bytes in turn */
*cvalues++ = u.cvals[2];
*cvalues++ = u.cvals[1];
*cvalues++ = u.cvals[0];
}
return;
}
/*--------------------------------------------------------------------------*/
void ffswap8(double *dvalues, /* IO - pointer to doubles to be swapped */
long nvals) /* I - number of doubles to be swapped */
/*
swap the bytes in the input doubles: ( 01234567 -> 76543210 )
*/
{
register char *cvalues;
register long ii;
register char temp;
cvalues = (char *) dvalues; /* copy the pointer value */
for (ii = 0; ii < nvals*8; ii += 8)
{
temp = cvalues[ii];
cvalues[ii] = cvalues[ii+7];
cvalues[ii+7] = temp;
temp = cvalues[ii+1];
cvalues[ii+1] = cvalues[ii+6];
cvalues[ii+6] = temp;
temp = cvalues[ii+2];
cvalues[ii+2] = cvalues[ii+5];
cvalues[ii+5] = temp;
temp = cvalues[ii+3];
cvalues[ii+3] = cvalues[ii+4];
cvalues[ii+4] = temp;
}
return;
}
|