简体   繁体   English

使用 typescript、react 和 graphql 以正确方式进行查询的问题

[英]Problem with make query in correct way using typescript, react and graphql

excuse me for that probably stupid question but this is my first steps with graphql and react.请原谅我这个可能很愚蠢的问题,但这是我使用graphql和react的第一步。 I try to create component where inside is GraphQL query, and incoming props.我尝试创建内部是 GraphQL 查询和传入道具的组件。 Props is a query which should by pass into GraphQL query. Props 是一个查询,它应该传递到 GraphQL 查询中。 I know I do something wrong but I don't know what.我知道我做错了什么,但我不知道是什么。 I add everything like client with apollo provider into my app component structure.我将诸如带有 apollo 提供程序的客户端之类的所有内容添加到我的应用程序组件结构中。 On a main page (index.js) I have simply layout like:在主页 (index.js) 上,我的布局很简单,例如:

import Layout from "../components/layout"
import SearchForm from "../components/searchForm"

export default function Home() {
  return  (
    <Layout pageTitle="React App" headerTitle="Search repositories on Github">
      <SearchForm repositoryNameDefaultValue='' />
    </Layout>
  );
}

then I have component called searchForm:然后我有一个名为 searchForm 的组件:

import { Component, ChangeEvent } from "react";
import Input from "./input";
import Button from "./button";
import style from "./searchForm.module.scss";
import FindRepositoryResults from "./test";

interface IMyComponentErrors {
  repositoryNameError: string;
}

interface IMyComponentProps {
  repositoryNameDefaultValue: string;
}

interface IMyComponentState {
  repositoryName: string;
  formIsSend: boolean;
  errors: IMyComponentErrors;
}

const validateForm = (errors: IMyComponentErrors): boolean => {
  let valid = true;
  Object.values(errors).forEach((val) => val.length > 0 && (valid = false));
  return valid;
};

const validRepositoryNameRegex = RegExp(/^[A-Za-z0-9 _]*[A-Za-z0-9][A-Za-z0-9 _]*$/i);

export default class SignUpFormContainer extends Component<
  IMyComponentProps,
  IMyComponentState
> {
  constructor(props: IMyComponentProps) {
    super(props);
    this.state = {
      repositoryName: this.props.repositoryNameDefaultValue,
      formIsSend: false,
      errors: {
        repositoryNameError: "",
      }
    };

    this.handleFormSubmit = this.handleFormSubmit.bind(this);
    this.handleClearForm = this.handleClearForm.bind(this);
    this.handleChangeRepositoryName = this.handleChangeRepositoryName.bind(this);
  }

  handleChangeRepositoryName(event: ChangeEvent<HTMLInputElement>): void {
    event.preventDefault();
    const { value } = event.target;
    let errors = this.state.errors;

    if (!validRepositoryNameRegex.test(value)) {
      errors.repositoryNameError = "Invalid repository name";
    } else if (!value) {
      errors.repositoryNameError = "Repository name is required";
    } else {
      errors.repositoryNameError = "";
    }

    this.setState({ errors, repositoryName: value });
  }

  handleClearForm() {
    this.setState({
      repositoryName: "",
      formIsSend: false
    });
  }

  handleFormSubmit(event) {
    event.preventDefault();
    const { repositoryName } = this.state;
    let errors = this.state.errors;

    if (!repositoryName) {
      errors.repositoryNameError = "Repository name is required";
    }

    this.setState({ errors });

    if (!validateForm(this.state.errors)) {
      return;
    } else {
      this.setState({ formIsSend: true });
    }
  }

  render() {
    const { errors } = this.state;

    return (
      <div>
      { !this.state.formIsSend ? (
      <form
        aria-label="Search repositories by name"
        autoComplete="off"
        onSubmit={this.handleFormSubmit}
        className = {style.formSearchRepository}
      >
        <Input
          type={"text"}
          title={"Repository name:"}
          name={"repositoryName"}
          placeholder={"Enter name of repository"}
          value={this.state.repositoryName}
          error={errors.repositoryNameError.length > 0}
          errorMessage={errors.repositoryNameError}
          onChange={this.handleChangeRepositoryName}
          required
        />
        <Button
          onClick={this.handleFormSubmit}
          title={"Search repository in Github by name"}
          children={"Search"}
        />
      </form>
      ) : <FindRepositoryResults repositoryName={this.state.repositoryName}/>}
      </div>
    );
  }
}

and last one that more problematic where is query:最后一个更有问题的查询在哪里:

import React from "react";
import { gql, useQuery } from "@apollo/client";

const SEARCH_REPOSITORY = gql`
query findRepositories($query: String!) {
    search(first: 10, query: $query, type: REPOSITORY) {
        nodes {
          ... on Repository {
            name,
            owner {
              login
            }
            primaryLanguage {
              name
            },
            stargazers {
              totalCount
            },
            stargazerCount,
            languages(first: 20, orderBy: {field: SIZE, direction: ASC} ) {
              totalCount
              nodes {
                name
              }
            },
            issues {
              totalCount
            }
            shortDescriptionHTML,
            updatedAt,
            watchers {
              totalCount
            }
          }
        }
    }
}
`;

interface IFindRepositoryComponentProps {
  repositoryName: string;
}

interface IFindRepositoryComponentState {
  detailsAreOpen: boolean;
}

interface RepositoryData {
  data: any;
}

interface RepositoryVars {
  query: string;
}

export default class FindRepositoryResults extends React.Component<IFindRepositoryComponentProps, IFindRepositoryComponentState> {
  constructor(props: IFindRepositoryComponentProps) {
    super(props);
    this.state = { detailsAreOpen: false };

    this.showDetails = this.showDetails.bind(this);
  }

  showDetails() {
    this.setState(state => ({
      detailsAreOpen: !state.detailsAreOpen
    }));
  }

  render() {
    const { loading, data, error } = useQuery<any, RepositoryVars>(
      SEARCH_REPOSITORY ,
      { variables: { query: this.props.repositoryName } }
    );

    return (
      <section>
        <h3>Results</h3>
        {loading ? (
          <p>Loading ...</p>
        ) : error ? (<p>Error {error}</p>) : (
          <div>
            { data.search.nodes.length == 0 ? (<p>No results found.</p>) : data && data.search.nodes.map((repo) => (
              <div>
                <p>Name: {repo.name}</p>
                <p>Owner: {repo.owner.login}</p>
                <p>Number of stars (total): {repo.stargazerCount}</p>
                <p>Primary language: {repo.primaryLanguage.name}</p>
          
                <button onClick={this.showDetails}>{this.state.detailsAreOpen ? 'Show less' : 'Show more'}</button>
                <div>
                  Details:
                  {repo.issues.totalCount}
                  {repo.languages.totalCount}
                  {repo.shortDescriptionHTML}
                  {repo.stargazers.totalCount}
                  {repo.updatedAt}
                  {repo.watchers.totalCount}
                </div>
              </div>
            ))}
          </div>
        )}
      </section>
    );
  }   
}

In this component above I made query but I don't get results.在上面的这个组件中,我进行了查询,但没有得到结果。 I'm not sure but is mismatching of version (DOM Rendering), I have a problem to do this correctly together with typescript, react and apollo.我不确定但版本不匹配(DOM 渲染),我有一个问题,无法与 typescript、react 和 apollo 一起正确执行此操作。 I'll happy if any one can show me correct way and example how this should be done.如果有人可以向我展示正确的方法和示例,我会很高兴如何做到这一点。 Thank you谢谢

I haven't used typescript, but React hooks and GraphQL.我没有使用过打字稿,但使用了 React hooks 和 GraphQL。 So you made the query but you don't get any results?所以您进行了查询,但没有得到任何结果? If the query is executed then there should be a result or an error.如果执行查询,则应该有结果或错误。 If it goes that far it could help to download the Apollo-Graphql plugin (to Google Chrome perhaps?).如果它走得那么远,它可以帮助下载 Apollo-Graphql 插件(也许是谷歌浏览器?)。

I would try the query in the graphi-ql playground for example.例如,我会在 graphi-ql 游乐场中尝试查询。

Also, variable-name query inside of your query is a bit confusing.此外,查询中的变量名查询有点令人困惑。

Best, J贝斯特,J

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

相关问题 使用 TypeScript 在 React 中访问来自 GraphQL 查询的嵌套数据时出现问题 - Problem accessing nested data from a GraphQL query in React with TypeScript 使用钩子从反应中调用 GraphQL 突变的正确方法 - correct way to call GraphQL mutation from react using hooks 无法对Yelp进行正确的GraphQL查询 - Can't make correct GraphQL query to Yelp 如何使用 typescript 在反应中创建功能组件的正确方法是什么 - What is correct way how to create functional component in react using typescript 如何使用 react、typescript 和 graphql 更新从单击另一个组件中的按钮的查询中获得的值? - How to update value got from a query on clicking a button in another component using react, typescript and graphql? 有没有办法在不渲染的情况下进行一次graphql查询? - Is there a way to make a graphql query once without rendering? 使用 React TypeScript 进行 GraphQL 身份验证 - GraphQL Authentication with React TypeScript 无法在React with Apollo中为GraphQL查询找到正确的Typescript接口 - unable to find right typescript interface for GraphQL query in React with Apollo GraphQL 使用 React 查询到数组列表? - GraphQL Query to Array List using React? 在React组件GraphQL查询中使用GraphQL上下文变量 - Using GraphQL context variable in React component GraphQL query
 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM