#c# #.net #google-api #google-calendar-api
#c# #.net #google-api #google-calendar-api
Вопрос:
ОБНОВЛЕНИЕ: я решил эту проблему и опубликовал решение в качестве ответа ниже! 😉
Мне нужно создать событие и добавить его в Календарь Google с помощью Google API.
На данный момент я знаю только, как получить все события, которые у меня есть, из Календаря Google. Это то, что у меня есть на данный момент:
using Google.Apis.Auth.OAuth2;
using Google.Apis.Calendar.v3;
using Google.Apis.Calendar.v3.Data;
using Google.Apis.Services;
using Google.Apis.Util.Store;
namespace CalendarQuickstart
{
class Program
{
// If modifying these scopes, delete your previously saved credentials
// at ~/.credentials/calendar-dotnet-quickstart.json
static string[] Scopes = { CalendarService.Scope.CalendarReadonly };
static string ApplicationName = "Google Calendar API .NET Quickstart";
static void Main(string[] args)
{
UserCredential credential;
using (var stream =
new FileStream("credentials.json", FileMode.Open, FileAccess.Read))
{
// The file token.json stores the user's access and refresh tokens, and is created
// automatically when the authorization flow completes for the first time.
string credPath = "token.json";
credential = GoogleWebAuthorizationBroker.AuthorizeAsync(
GoogleClientSecrets.Load(stream).Secrets,
Scopes,
"user",
CancellationToken.None,
new FileDataStore(credPath, true)).Resu<
Console.WriteLine("Credential file saved to: " credPath);
}
// Create Google Calendar API service.
var service = new CalendarService(new BaseClientService.Initializer()
{
HttpClientInitializer = credential,
ApplicationName = ApplicationName,
});
// Define parameters of request.
EventsResource.ListRequest request = service.Events.List("primary");
request.TimeMin = DateTime.Now;
request.ShowDeleted = false;
request.SingleEvents = true;
request.MaxResults = 10;
request.OrderBy = EventsResource.ListRequest.OrderByEnum.StartTime;
// List events.
Events events = request.Execute();
Console.WriteLine("Upcoming events:");
if (events.Items != null amp;amp; events.Items.Count > 0)
{
foreach (var eventItem in events.Items)
{
string when = eventItem.Start.DateTime.ToString();
if (String.IsNullOrEmpty(when))
{
when = eventItem.Start.Date;
}
Console.WriteLine("{0} ({1})", eventItem.Summary, when);
}
}
else
{
Console.WriteLine("No upcoming events found.");
}
Console.Read();
}
}
}
То, что я пытаюсь сделать, должно выглядеть примерно так:
var ev = new Event();
EventDateTime start = new EventDateTime();
start.DateTime = new DateTime(2019, 3, 11, 10, 0, 0);
EventDateTime end = new EventDateTime();
end.DateTime = new DateTime(2019, 3, 11, 10, 30, 0);
ev.Start = start;
ev.End = end;
ev.Description = "Description...";
events.Items.Insert(0, ev);
Я потратил весь день на поиск любых примеров .NET, но ничего не получил.
Любая помощь приветствуется! 😉
Комментарии:
1. Мне буквально потребовалось 10 секунд поиска в Google, чтобы найти это: developers.google.com/resources/api-libraries/documentation /…
2. @IanKemp спасибо! Я все еще получаю сообщение об ошибке, хотя:
EventsResource.InsertRequest does not contain a definition for "InsertRequest"
Если бы вы могли показать мне пример того, как это использовать, это было бы просто здорово! Я также пробовал это:service.Events.Insert(ev, "primary");
но я все еще не вижу событие, которое я только что создал в своем календаре.3. Я решил эту проблему, спасибо всем!
Ответ №1:
Я решил эту проблему! Итак, перед созданием проекта измените
static string[] Scopes = { CalendarService.Scope.CalendarReadonly };
Для
static string[] Scopes = { CalendarService.Scope.Calendar };
Если вы уже создали решение, удалите файл credentials.json и затем перезагрузите его. Код для добавления события находится здесь:
var ev = new Event();
EventDateTime start = new EventDateTime();
start.DateTime = new DateTime(2019, 3, 11, 10, 0, 0);
EventDateTime end = new EventDateTime();
end.DateTime = new DateTime(2019, 3, 11, 10, 30, 0);
ev.Start = start;
ev.End = end;
ev.Summary = "New Event";
ev.Description = "Description...";
var calendarId = "primary";
Event recurringEvent = service.Events.Insert(ev, calendarId).Execute();
Console.WriteLine("Event created: %sn", e.HtmlLink);
Это моя первая попытка с Google API, так что не судите меня;) Надеюсь, что однажды это кому-нибудь поможет!
Примечание: Вам также необходимо удалить папку ‘token.json’ из папки bin debug
Комментарии:
1. я попытался установить пакет в .net core 2.0, но, думаю, он не работает, он говорит, что не удается найти пространство имен Google
2. Работает как шарм. Большое спасибо.