搜索
首页php教程PHP源码Golang写了一个帮助调试的代理程序,PHP实现了一个类用于输出调试信息

        跳至          

<?php
/**
 * PD
 * ProxyDebug
 *
 * @author    kun* @copyright 2014 kun
 * @license   http://www.php.net/license/3_01.txt  PHP License 3.01
 * @version   1.0
 * @link      https://github.com/yangxikun/tag-parse
 * @since     1.0
 */
/**
* PD
*
* @author    rokety* @license   http://www.php.net/license/3_01.txt  PHP License 3.01
* @version   1.0
* @link
* @since     1.0
*/
class PD
{
    protected static $debugItemCount = 0;
    protected static $debugGroupCount = 0;
    protected static $group = array();
    protected static $start;
    protected static $offset = 0;
    protected static $varNameString = null;

    /**
     * getVarName
     * get the variable name
     *
     * @access protected
     * @static
     *
     * @return string
     */
    protected static function getVarName()
    {
        if (self::$varNameString === null) {
            $trace = debug_backtrace();
            $line = file($trace[3][&#39;file&#39;]);
            self::$varNameString = $line[$trace[3][&#39;line&#39;]-1];
        }

        preg_match(
            &#39;~\$([\w\d_]+)~&#39;,
            self::$varNameString,
            $matches,
            PREG_OFFSET_CAPTURE,
            self::$offset
        );

        if (!isset($matches[1])) {
            throw new Exception(&#39;Error Params, should use $variable as params&#39;, 1);
        }
        self::$offset = $matches[1][1];

        return $matches[1][0];
    }

    /**
     * func
     *
     * @param string $type debug type(info, warn, error)
     * @param mixed  $arg  debug variable
     *
     * @access protected
     * @static
     *
     * @return null
     */
    protected static function func($type, $arg)
    {
        if (self::$start) {
            self::$group[] = array(
                "category"=>$type,
                "type"=>gettype($arg),
                "name"=>self::getVarName(),
                "value"=>$arg
            );
        } else {
            self::$debugItemCount++;
            header(
                &#39;Proxy_debug_item_&#39;.self::$debugItemCount.&#39;: &#39;
                .json_encode(
                    ["category"=>$type,
                    "type"=>gettype($arg),
                    "name"=>self::getVarName(),
                    "value"=>$arg]
                )
            );
            header(&#39;Proxy_debug_item_count: &#39;.self::$debugItemCount);
        }
    }

    public static function __callStatic($name, $args)
    {
        $func = [&#39;info&#39;=>&#39;I&#39;, &#39;warn&#39;=>&#39;W&#39;, &#39;error&#39;=>&#39;E&#39;];
        if (isset($func[$name])) {
            self::$offset = 0;
            self::$varNameString = null;
            foreach ($args as $key => $arg) {
                self::func($func[$name], $arg);
            }
        } else {
            throw new Exception(&#39;Call to undefined method!&#39;, 1);
        }
    }

    /**
     * groupStart
     * start record a group
     *
     * @access public
     * @static
     *
     * @return null
     */
    public static function groupStart()
    {
        self::$start = true;
        self::$debugGroupCount++;
    }

    /**
     * groupEnd
     * stop record a group
     *
     * @access public
     * @static
     *
     * @return null
     */
    public static function groupEnd()
    {
        self::$start = false;
        header(
            &#39;Proxy_debug_group_&#39;
            .self::$debugGroupCount
            .&#39;: &#39;.json_encode(self::$group)
        );
        header(&#39;Proxy_debug_group_count: &#39;.self::$debugGroupCount);
        self::$group = array();
    }
}

                                       

                   

2. [文件] main.go ~ 6KB      

               

//Proxy Debug
//This simple program is for helping developers debug through http header.
//For more detail, see README.md

package main

import (
	"bufio"
	"encoding/json"
	"fmt"
	"io/ioutil"
	"log"
	"net/http"
	"os"
	"strconv"
	"strings"
)

//color config
var color map[string]interface{}

//Parse config file
func readConfig() {
	config, err := os.Open("config.ini")
	if err != nil {
		log.Fatalln(err)
	}

	buf := bufio.NewReader(config)
	line, _ := buf.ReadString(&#39;\n&#39;)

	var jsonData interface{}
	err = json.Unmarshal([]byte(line), &jsonData)
	if err != nil {
		log.Fatalln(err)
	}
	var ok bool
	color, ok = jsonData.(map[string]interface{})
	if ok == false {
		log.Fatalln("Parse config file error, it must be a json string!")
	}
	for _, c := range color {
		if c.(float64) > 37 || c.(float64) < 30 {
			log.Fatalln("Config error!The valid value is 30-37.")
		}
	}
	item := [5]string{"url", "varName", "varType", "varValue", "group"}
	for _, i := range item {
		_, has := color[i]
		if has == false {
			log.Fatalln("Losing configuration:", i)
		}
	}
}

func main() {
	var port int = 8888

	if len(os.Args) == 1 {
		fmt.Println("Listening in default port:8888")
	} else if os.Args[1] == "--help" {
		fmt.Println("usage: proxy [-p port]")
		return
	} else if len(os.Args) != 3 || os.Args[1] != "-p" {
		log.Fatalln("Error arguments!Just support &#39;-p port&#39;.")
	} else {
		port, err := strconv.Atoi(os.Args[2])
		if err != nil && port > 65535 || port < 1024 {
			log.Fatalln("Error port, it should be 1024-65535, default is 8888.")
		}
	}

	readConfig()

	http.HandleFunc("/", func(w http.ResponseWriter, r *http.Request) {
		r.RequestURI = ""
		resp, err := http.DefaultClient.Do(r)
		if err != nil {
			http.NotFound(w, r)
			return
		}
		defer resp.Body.Close()

		//Get the debugging information form http header
		caterory := map[string]int{"I": 34, "W": 33, "E": 31}
		format := "\t \033[%dm-%s\033[%vm %s\033[%vm%s\033[%vm%s\n"
		debugItem := make(map[string]map[string]interface{})
		debugItemIndex := make([]string, 0, 5)
		var jsonData interface{}

		v, okDebugItem := resp.Header["Proxy_debug_item_count"]
		if okDebugItem {
			count, _ := strconv.Atoi(v[0])
			for i := 1; i <= count; i++ {
				index := "Proxy_debug_item_" + strconv.Itoa(i)
				vv, ok := resp.Header[index]
				if ok {
					err = json.Unmarshal([]byte(vv[0]), &jsonData)
					if err != nil {
						continue
					}
					data, ok := jsonData.(map[string]interface{})
					if ok == false {
						continue
					}
					debugItemIndex = append(debugItemIndex, index)
					debugItem[index] = data
				}
			}
		}

		debugGroup := make(map[string]interface{})
		debugGroupIndex := make([]string, 0, 5)

		v, okDebugGroup := resp.Header["Proxy_debug_group_count"]
		if okDebugGroup {
			count, _ := strconv.Atoi(v[0])
			for i := 1; i  maxLenName {
					maxLenName = len(v)
				}
				v = vm["type"].(string)
				if len(v) > maxLenType {
					maxLenType = len(v)
				}
			}

			for _, i := range debugItemIndex {
				n := debugItem[i]["name"].(string)
				t := debugItem[i]["type"].(string)
				c := debugItem[i]["category"].(string)
				fmt.Printf(
					format,
					caterory[c],
					c,
					color["varName"],
					n+strings.Repeat(" ", maxLenName-len(n)+1),
					color["varType"],
					t+strings.Repeat(" ", maxLenType-len(t)+1),
					color["varValue"],
					strings.Replace(fmt.Sprint(debugItem[i]["value"]), "map", "", 1))
			}
		}

		if okDebugGroup {
			if okDebugItem == false {
				fmt.Printf("\033[%vm%v\n", color["url"], r.URL)
			}
			maxLenName := make([]int, len(debugGroupIndex))
			maxLenType := make([]int, len(debugGroupIndex))
			k := 0
			for _, vm := range debugGroup {
				for _, vv := range vm.([]interface{}) {
					vk, ok := vv.(map[string]interface{})
					if ok == false {
						continue
					}
					v := vk["name"].(string)
					if len(v) > maxLenName[k] {
						maxLenName[k] = len(v)
					}
					v = vk["type"].(string)
					if len(v) > maxLenType[k] {
						maxLenType[k] = len(v)
					}
				}
				k++
			}

			k = 0
			for _, i := range debugGroupIndex {
				fmt.Printf("\t\033[%vm=Group %v=\n", color["group"], k+1)
				for _, v := range debugGroup[i].([]interface{}) {
					vk, ok := v.(map[string]interface{})
					if ok == false {
						continue
					}
					n := vk["name"].(string)
					t := vk["type"].(string)
					c := vk["category"].(string)
					fmt.Printf(
						format,
						caterory[c],
						c,
						color["varName"],
						n+strings.Repeat(" ", maxLenName[k]-len(n)+1),
						color["varType"],
						t+strings.Repeat(" ", maxLenType[k]-len(t)+1),
						color["varValue"],
						strings.Replace(fmt.Sprint(vk["value"]), "map", "", 1))
				}
				k++
				fmt.Printf("\t\033[%vm=GROUP=\n", color["group"])
			}
		}
	})
	http.ListenAndServe(":"+strconv.Itoa(port), nil)
}

                           

           

           

3. [图片] screenshot.pngGolang写了一个帮助调试的代理程序,PHP实现了一个类用于输出调试信息    

Golang写了一个帮助调试的代理程序,PHP实现了一个类用于输出调试信息

                   

声明
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系admin@php.cn

热AI工具

Undresser.AI Undress

Undresser.AI Undress

人工智能驱动的应用程序,用于创建逼真的裸体照片

AI Clothes Remover

AI Clothes Remover

用于从照片中去除衣服的在线人工智能工具。

Undress AI Tool

Undress AI Tool

免费脱衣服图片

Clothoff.io

Clothoff.io

AI脱衣机

AI Hentai Generator

AI Hentai Generator

免费生成ai无尽的。

热门文章

R.E.P.O.能量晶体解释及其做什么(黄色晶体)
2 周前By尊渡假赌尊渡假赌尊渡假赌
仓库:如何复兴队友
1 个月前By尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island冒险:如何获得巨型种子
4 周前By尊渡假赌尊渡假赌尊渡假赌

热工具

螳螂BT

螳螂BT

Mantis是一个易于部署的基于Web的缺陷跟踪工具,用于帮助产品缺陷跟踪。它需要PHP、MySQL和一个Web服务器。请查看我们的演示和托管服务。

VSCode Windows 64位 下载

VSCode Windows 64位 下载

微软推出的免费、功能强大的一款IDE编辑器

Dreamweaver Mac版

Dreamweaver Mac版

视觉化网页开发工具

SublimeText3 英文版

SublimeText3 英文版

推荐:为Win版本,支持代码提示!

记事本++7.3.1

记事本++7.3.1

好用且免费的代码编辑器