从FITS文件头中创建一个Ascii表

问题描述 投票:1回答:1

我想学习如何从FITS文件头中获取信息并将该信息传输到ascii表。例如,这就是我将如何获取信息。:

import pyfits
a = pyfits.open('data.fits')
header = a[0].header # Which should return something like this (It is  BinHDUlist)
SIMPLE  =                T / conforms to FITS standards                    
                               / institution responsible for creating this file 
TELESCOP= 'Kepler  '           / telescope                                      
INSTRUME= 'Kepler Photometer'  / detector type                                  
OBJECT  = 'KIC 8631743'        / string version of KEPLERID                     
RA_OBJ  =           294.466516 / [deg] right ascension                          
DEC_OBJ =            44.751131 / [deg] declination                              

如何创建包含RA_OBJ和DEC_OBJ的ASCII表?

编辑:我想创建一个.dat文件,该文件包含来自标题的两列(RA和DEC)。这是我正在尝试的示例:

import asciitable
import asciidata
import pyfits
import numpy as np

# Here I have taken all the fits files in my current directory and did the following:
# ls > z.txt so that all the fits files are in one place.

a = asciidata.open('z.txt')
i = 0 #There are 371 fits files in z.txt
while i<=370:
    b = pyfits.open(a[0][i])
    h = b[0].header
    RA = np.array([h['RA_OBJ']])
    DEC = np.array(h['DEC_OBJ']])
    asciitable.write({'RA': RA, 'DEC': DEC}, 'coordinates.dat', names=['RA', 'DEC'])
    i = i+1

我想为此编写一个包含如下内容的.dat文件:

RA    DEC
###   ###
...   ...
...   ...
...   ...

相反,我的代码只是覆盖先前文件的键。有什么想法吗?

python ascii astronomy fits
1个回答
1
投票

我认为您可能会更仔细地阅读the pyfits documentation。标头属性是pyfits.header.Header对象,它是类似字典的对象。因此,您可以执行以下操作:

import pyfits

keys = ['SIMPLE', 'TELESCOP', 'INSTRUME', 'OBJECTS', 'RA_OBJ', 'DEV_OBJ']

hdulist = pyfits.open("data.fits")
header = hdulist[0].header
for k in keys:
    print k, "=", header[k]

您可以添加更多精美的输出,将结果字符串放入变量中,检查是否缺少键,等等。

编辑

这是如何与asciitablenumpy结合使用:

import asciitable
import numpy as np

keys = ['RA', 'DEC']
data = {}

# Initialize "data" with empty lists for each key
for k in keys:
    data[k] = []

# Collect all data in the "data" dictionary
for i in range(0, 50):
    data['RA'].append(np.array(i))
    data['DEC'].append(np.array(i+1))

asciitable.write(data, "coords.dat", names=keys)
© www.soinside.com 2019 - 2024. All rights reserved.