415 Носитель не поддерживается, вызывающий пост REST оконечная точка - PullRequest
0 голосов
/ 27 октября 2018

Я пытаюсь вызвать webapi из реагирования, и я получаю эту ошибку:

415 Носитель не поддерживается, вызывая конечную точку REST

   [HttpPost]
            [Route("")]
            //[Route("api/SiteCollections/CreateModernSite")]
            public async Task<IHttpActionResult> CreateModernSite([FromBody]NewSiteInformation model)
            {

                if (ModelState.IsValid)

                {
                    AuthenticationManager auth = new AuthenticationManager();
                    auth.GetSharePointOnlineAuthenticatedContextTenant("url", "user", "password");


                    var tenant = await TenantHelper.GetTenantAsync();
                    using (var context = new OfficeDevPnP.Core.AuthenticationManager().GetSharePointOnlineAuthenticatedContextTenant("https://luisevalencia38.sharepoint.com/teamsite1/SitePages/Home.aspx", "luisevalencia38@luisevalencia38.onmicrosoft.com", "Vaz.717."))
                    {
                        var teamContext = await context.CreateSiteAsync(
                           new TeamSiteCollectionCreationInformation
                           {
                               Alias = model.Alias, // Mandatory
                               DisplayName = model.DisplayName, // Mandatory
                               Description = model.Description, // Optional
                                                                //Classification = Classification, // Optional
                                                                //IsPublic = IsPublic, // Optional, default true
                           }
                       );
                        teamContext.Load(teamContext.Web, _ => _.Url);
                        teamContext.ExecuteQueryRetry();
                        //204 with location and content set to created URL
                        return Created(teamContext.Web.Url, teamContext.Web.Url);
                    }
                }
                return BadRequest(ModelState);
            }

Мой код реагирования такой:

import React, { Component } from 'react';
import { Input} from 'antd';
import Form from '../../components/uielements/form';
import Button from '../../components/uielements/button';
import Notification from '../../components/notification';
import { adalApiFetch } from '../../adalConfig';


const FormItem = Form.Item;

class CreateSiteCollectionForm extends Component {
    constructor(props) {
        super(props);
        this.state = {Alias:'',DisplayName:'', Description:''};
        this.handleChangeAlias = this.handleChangeAlias.bind(this);
        this.handleChangeDisplayName = this.handleChangeDisplayName.bind(this);
        this.handleChangeDescription = this.handleChangeDescription.bind(this);
        this.handleSubmit = this.handleSubmit.bind(this);
    };

    handleChangeAlias(event){
        this.setState({Alias: event.target.value});
    }

    handleChangeDisplayName(event){
        this.setState({DisplayName: event.target.value});
    }

    handleChangeDescription(event){
        this.setState({Description: event.target.value});
    }

    handleSubmit(e){
        e.preventDefault();
        this.props.form.validateFieldsAndScroll((err, values) => {
            if (!err) {
                let data = new FormData();
                //Append files to form data
                //data.append(

                const options = {
                  method: 'post',
                  body: JSON.stringify(
                    {
                        "Alias": this.state.Alias,
                        "DisplayName": this.state.DisplayName, 
                        "Description": this.state.Description
                    }),
                  config: {
                    headers: {
                      'Content-Type': 'application/json; charset=utf-8'
                    }
                  }
                };

                adalApiFetch(fetch, "/SiteCollections", options)
                  .then(response =>{
                    if(response.status === 204){
                        Notification(
                            'success',
                            'Site collection created',
                            ''
                            );
                     }else{
                        throw "error";
                     }
                  })
                  .catch(error => {
                    Notification(
                        'error',
                        'Site collection not created',
                        error
                        );
                    console.error(error);
                });
            }
        });      
    }

    render() {
        const { getFieldDecorator } = this.props.form;
        const formItemLayout = {
        labelCol: {
            xs: { span: 24 },
            sm: { span: 6 },
        },
        wrapperCol: {
            xs: { span: 24 },
            sm: { span: 14 },
        },
        };
        const tailFormItemLayout = {
        wrapperCol: {
            xs: {
            span: 24,
            offset: 0,
            },
            sm: {
            span: 14,
            offset: 6,
            },
        },
        };
        return (
            <Form onSubmit={this.handleSubmit}>
                <FormItem {...formItemLayout} label="Alias" hasFeedback>
                {getFieldDecorator('Alias', {
                    rules: [
                        {
                            required: true,
                            message: 'Please input your alias',
                        }
                    ]
                })(<Input name="alias" id="alias" onChange={this.handleChangeAlias} />)}
                </FormItem>
                <FormItem {...formItemLayout} label="Display Name" hasFeedback>
                {getFieldDecorator('displayname', {
                    rules: [
                        {
                            required: true,
                            message: 'Please input your display name',
                        }
                    ]
                })(<Input name="displayname" id="displayname" onChange={this.handleChangedisplayname} />)}
                </FormItem>
                <FormItem {...formItemLayout} label="Description" hasFeedback>
                {getFieldDecorator('description', {
                    rules: [
                        {
                            required: true,
                            message: 'Please input your description',
                        }
                    ],
                })(<Input name="description" id="description"  onChange={this.handleChangeDescription} />)}
                </FormItem>

                <FormItem {...tailFormItemLayout}>
                    <Button type="primary" htmlType="submit">
                        Create modern site
                    </Button>
                </FormItem>
            </Form>
        );
    }
}

const WrappedCreateSiteCollectionForm = Form.create()(CreateSiteCollectionForm);
export default WrappedCreateSiteCollectionForm;

Как избежать: 415 Носитель не поддерживается при вызове конечной точки?моя ошибка в коде на стороне клиента или в webapi?

1 Ответ

0 голосов
/ 07 ноября 2018

Попробуйте использовать это

const options = {
  method: 'post',
  mode: "cors",
  headers: {
    "Content-Type": "application/json"
  },
  body: JSON.stringify(
    {
        "Alias": this.state.Alias,
        "DisplayName": this.state.DisplayName, 
        "Description": this.state.Description
    })
};

Также посмотрите этот вопрос , похоже, что переопределение заголовка запроса Content-Type недопустимо для no-cors запросов.

...