Skip to main content
Glama

getGovernanceProposals

Retrieve governance proposals for DeFi protocols on Snapshot, including status filters and voting results, to analyze protocol decisions and community sentiment.

Instructions

Snapshot 기반 DeFi 프로토콜 거버넌스 프로포절을 조회합니다 (상태 필터, 투표 결과 포함)

Input Schema

TableJSON Schema
NameRequiredDescriptionDefault
protocolYes프로토콜 이름 또는 Snapshot space ID (e.g., 'uniswap', 'aave.eth')
stateNo프로포절 상태 필터active
limitNo조회할 프로포절 수

Implementation Reference

  • Handler function for getGovernanceProposals tool. Executes Snapshot GraphQL query, manages cache, and formats response.
    async function handler(
      args: z.infer<typeof inputSchema>
    ): Promise<GovernanceResult | ToolError> {
      const { protocol, state, limit } = args;
    
      // Snapshot space ID 결정
      const spaceId = resolveSpaceId(protocol);
    
      // 캐시 키 생성
      const cacheKey = `governance:${spaceId}:${state}:${limit}`;
      const cached = cache.get<GovernanceData>(cacheKey);
      if (cached.hit) {
        return {
          success: true,
          data: cached.data,
          cached: true,
          timestamp: Date.now(),
        };
      }
    
      try {
        const query = buildGraphQLQuery(state);
    
        // GraphQL 변수 구성 - state가 "all"이면 state 변수 생략
        const variables: Record<string, unknown> = {
          space: spaceId,
          first: limit,
        };
        if (state !== "all") {
          variables.state = state;
        }
    
        const response = await fetch(SNAPSHOT_GRAPHQL_URL, {
          method: "POST",
          headers: {
            "Content-Type": "application/json",
            "Accept": "application/json",
          },
          body: JSON.stringify({ query, variables }),
        });
    
        if (!response.ok) {
          return makeError(
            `Snapshot API 요청 실패: HTTP ${response.status}`,
            "API_ERROR"
          );
        }
    
        const json = await response.json() as {
          data?: {
            proposals?: Array<{
              id: string;
              title: string;
              body: string;
              state: string;
              author: string;
              created: number;
              start: number;
              end: number;
              choices: string[];
              scores: number[];
              scores_total: number;
              quorum: number;
              votes: number;
              space: { id: string; name: string };
            }>;
          };
          errors?: Array<{ message: string }>;
        };
    
        // GraphQL 오류 처리
        if (json.errors && json.errors.length > 0) {
          return makeError(
            `Snapshot GraphQL 오류: ${json.errors[0].message}`,
            "API_ERROR"
          );
        }
    
        const rawProposals = json.data?.proposals ?? [];
    
        // 응답 데이터를 반환 형식으로 변환
        const proposals: GovernanceProposal[] = rawProposals.map((p) => ({
          id: p.id,
          title: p.title,
          // body는 500자로 잘라서 반환 (토큰 절약)
          body: p.body.length > 500 ? p.body.slice(0, 500) + "..." : p.body,
          state: p.state,
          author: p.author,
          choices: p.choices,
          scores: p.scores,
          scorestotal: p.scores_total,
          quorum: p.quorum,
          votes: p.votes,
          startDate: new Date(p.start * 1000).toISOString(),
          endDate: new Date(p.end * 1000).toISOString(),
        }));
    
        const governanceData: GovernanceData = {
          space: spaceId,
          proposalCount: proposals.length,
          proposals,
        };
    
        // 캐시에 저장
        cache.set(cacheKey, governanceData, CACHE_TTL_SECONDS);
    
        return {
          success: true,
          data: governanceData,
          cached: false,
          timestamp: Date.now(),
        };
      } catch (err) {
        const message = sanitizeError(err);
        return makeError(`거버넌스 프로포절 조회 실패: ${message}`, "API_ERROR");
      }
    }
  • Zod schema for validating tool input parameters.
    const inputSchema = z.object({
      protocol: z.string().describe("프로토콜 이름 또는 Snapshot space ID (e.g., 'uniswap', 'aave.eth')"),
      state: z.enum(["active", "closed", "all"]).default("active").describe("프로포절 상태 필터"),
      limit: z.number().min(1).max(100).default(10).describe("조회할 프로포절 수"),
    });
  • Tool registration function for getGovernanceProposals.
    export function register(server: McpServer) {
      server.tool(
        "getGovernanceProposals",
        "Snapshot 기반 DeFi 프로토콜 거버넌스 프로포절을 조회합니다 (상태 필터, 투표 결과 포함)",
        inputSchema.shape,
        async (args) => {
          const result = await handler(args as z.infer<typeof inputSchema>);
          return { content: [{ type: "text" as const, text: JSON.stringify(result, null, 2) }] };
        },
      );
    }

Latest Blog Posts

MCP directory API

We provide all the information about MCP servers via our MCP API.

curl -X GET 'https://glama.ai/api/mcp/v1/servers/calintzy/evmscope'

If you have feedback or need assistance with the MCP directory API, please join our Discord server