我有多个使用astropy.table.Table
创建的表格,例如:
from astropy.table import Table
import numpy as np
#table 1
ta=Table()
ta["test1"]=np.arange(0,100.)
#table 2
tb=Table()
tb["test2"]=np.arange(0,100.)
我可以使用
将它们单独保存到.fits
个文件中
ta.write('table1.fits')
tb.write('table2.fits')
但我希望将它们保存到同一个.fits
文件中,每个文件都有不同的hdu
。我怎么能这样做?
答案 0 :(得分:5)
有一个效用函数astropy.io.fits.table_to_hdu。
如果您有两个表对象ta
和tb
:
from astropy.io import fits
hdu_list = fits.HDUList([
fits.PrimaryHDU(),
fits.table_to_hdu(ta),
fits.table_to_hdu(tb),
])
hdu_list.writeto('tables.fits')
答案 1 :(得分:1)
有一个如何执行此操作的示例here。所以,您可以执行以下操作:
import numpy as np
from astropy.io import fits
ta = Table()
ta['test1'] = np.arange(0, 100.)
col1 = fits.Column(name=ta.colnames[0], format='E', array=ta)
tb = Table()
tb['test2'] = np.arange(0, 100.)
col2 = fits.Column(name=tb.colnames[0], format='E', array=tb)
cols = fits.ColDefs([col1, col2])
hdu = fits.BinTableHDU.from_columns(cols)
hdu.writeto('table.fits')
只有一个二进制表HDU,但有两列。或者,要将它们添加为单独的HDU,您可以执行类似
的操作ta = Table()
ta['test1'] = np.arange(0, 100.)
col1 = fits.Column(name=ta.colnames[0], format='E', array=ta)
hdu1 = fits.BinTableHDU.from_columns(fits.ColDefs([col1]))
tb = Table()
tb['test2'] = np.arange(0, 100.)
col2 = fits.Column(name=tb.colnames[0], format='E', array=tb)
hdu2 = fits.BinTableHDU.from_columns(fits.ColDefs([col2]))
# create a header
hdr = fits.Header()
hdr['Author'] = 'Me'
primary_hdu = fits.PrimaryHDU(header=hdr)
# put all the HDUs together
hdul = fits.HDUList([primary_hdu, hdu1, hdu2])
# write it out
hdul.writeto('table.fits')