在 ThinkPHP 6 中,控制器方法返回的数据的 Content-Type 响应头取决于返回数据的类型和处理方式,以下是不同返回情况对应的 Content-Type 详细说明:
1. 返回字符串
当控制器方法直接返回一个字符串时,默认的 Content-Type 是 text/html; charset=utf-8。
            
            
              php
              
              
            
          
          <?php
namespace app\controller;
use think\Controller;
class Index extends Controller
{
    public function index()
    {
        return '这是一个字符串响应';
    }
}这种情况下,响应头中的 Content-Type 会是 text/html; charset=utf-8,浏览器会将其作为 HTML 文本进行处理。
2. 返回 JSON 数据
若使用 json 方法返回 JSON 数据,Content-Type 会被设置为 application/json; charset=utf-8。
            
            
              php
              
              
            
          
          <?php
namespace app\controller;
use think\Controller;
class Index extends Controller
{
    public function getJson()
    {
        $data = [
            'name' => 'John',
            'age' => 30
        ];
        return json($data);
    }
}在这个例子中,json 方法会自动将数据转换为 JSON 字符串,并设置合适的 Content-Type 响应头。
3. 返回 XML 数据
如果手动设置响应头并返回 XML 数据,Content-Type 可以设置为 application/xml; charset=utf-8。
            
            
              php
              
              
            
          
          <?php
namespace app\controller;
use think\Controller;
class Index extends Controller
{
    public function getXml()
    {
        $xml = '<?xml version="1.0" encoding="UTF-8"?>
<root>
    <item>
        <name>项目 1</name>
    </item>
</root>';
        return response($xml)->contentType('application/xml; charset=utf-8');
    }
}这里使用 response 方法创建响应对象,并通过 contentType 方法设置 Content-Type 为 XML 类型。
4. 返回视图
当使用 view 方法返回视图时,默认的 Content-Type 也是 text/html; charset=utf-8。
            
            
              php
              
              
            
          
          <?php
namespace app\controller;
use think\Controller;
class Index extends Controller
{
    public function showView()
    {
        return view('index');
    }
}视图文件通常包含 HTML 内容,所以响应头会被设置为 HTML 类型。
5. 自定义响应头
你还可以通过 response 方法自定义 Content-Type 响应头。
            
            
              php
              
              
            
          
          <?php
namespace app\controller;
use think\Controller;
class Index extends Controller
{
    public function customResponse()
    {
        $data = '这是自定义响应';
        return response($data)->contentType('text/plain; charset=utf-8');
    }
}在这个例子中,将 Content-Type 设置为 text/plain,表示返回的是纯文本数据。
综上所述,ThinkPHP 6 控制器方法返回数据的 Content-Type 可以根据不同的返回方式和需求进行设置,默认情况下会根据常见的数据类型进行合理的设置。