//***************************************************voidSingle_Write_HMC5883(ucharREG_Address,ucharREG_data){HMC5883_Start();//起始信号HMC5883_SendByte(SlaveAddress);//发送设备地址+写信号HMC5883_SendByte(REG_Address);//内部寄存器地址,请参考中文pdfHMC5883_SendByte(REG_data);//内部寄存器数据,请参考中文pdfHMC5883_Stop();//发送停止信号}//********单字节读取内部寄存器*************************ucharSingle_Read_HMC5883(ucharREG_Address){ucharREG_data;HMC5883_Start();//起始信号HMC5883_SendByte(SlaveAddress);//发送设备地址+写信号HMC5883_SendByte(REG_Address);//发送存储单元地址,从0开始HMC5883_Start();//起始信号HMC5883_SendByte(SlaveAddress+1);//发送设备地址+读信号REG_data=HMC5883_RecvByte();//读出寄存器数据HMC5883_SendACK(1);HMC5883_Stop();//停止信号returnREG_data;}//******************************************************////连续读出HMC5883内部角度数据,地址范围0x3~0x5////******************************************************voidMultiple_read_HMC5883(void){uchari;HMC5883_Start();//起始信号HMC5883_SendByte(SlaveAddress);//发送设备地址+写信号HMC5883_SendByte(0x03);//发送存储单元地址,从0x3开始HMC5883_Start();//起始信号HMC5883_SendByte(SlaveAddress+1);//发送设备地址+读信号for(i=0;i<6;i++)//连续读取6个地址数据,存储中BUF{BUF[i]=HMC5883_RecvByte();//BUF[0]存储数据if(i==5){HMC5883_SendACK(1);//最后一个数据需要回NOACK}else{HMC5883_SendACK(0);//回应ACK}}HMC5883_Stop();//停止信号Delay5ms();}//初始化HMC5883,根据需要请参考pdf进行修改****voidInit_HMC5883(){Single_Write_HMC5883(0x02,0x00);//}
2024/2/2 6:29:11 73KB HMC5883L QMC5883L
1
第1章 声明和初始化基本类型1.1 我该如何决定使用哪种整数类型?1.2 为什么不精确定义标准类型的大小?1.3 因为C语言没有精确定义类型的大小,所以我一般都用typedef定义int16和int32。
然后根据实际的机器环境把它们定义为int、short、long等类型。
这样看来,所有的问题都解决了,是吗?1.4 新的64位机上的64位类型是什么样的?指针声明1.5 这样的声明有什么问题?char*p1,p2;我在使用p2的时候报错了。
1.6 我想声明一个指针,并为它分配一些空间,但却不行。
这样的代码有什么问题?char*p;*p=malloc(10);声明风格1.7 怎样声明和定义全局变量和函数最好?1.8 如何在C中实现不透明(抽象)数据类型?1.9 如何生成“半全局变量”,就是那种只能被部分源文件中的部分函数访问的变量?存储类型1.10 同一个静态(static)函数或变量的所有声明都必需包含static存储类型吗?1.11 extern在函数声明中是什么意思?1.12 关键字auto到底有什么用途?类型定义(typedef)1.13 对于用户定义类型,typedef和#define有什么区别?1.14 我似乎不能成功定义一个链表。
我试过typedefstruct{char*item;NODEPTRnext;}*NODEPTR;但是编译器报了错误信息。
难道在C语言中结构不能包含指向自己的指针吗?1.15 如何定义一对相互引用的结构?1.16 Struct{ }x1;和typedefstruct{ }x2;这两个声明有什么区别?1.17 “typedefint(*funcptr)();”是什么意思?const限定词1.18 我有这样一组声明:typedefchar*charp;constcharpp;为什么是p而不是它指向的字符为const?1.19 为什么不能像下面这样在初始式和数组维度值中使用const值?constintn=5;inta[n];1.20 constchar*p、charconst*p和char*constp有什么区别?复杂的声明1.21 怎样建立和理解非常复杂的声明?例如定义一个包含N个指向返回指向字符的指针的函数的指针的数组?1.22 如何声明返回指向同类型函数的指针的函数?我在设计一个状态机,用函数表示每种状态,每个函数都会返回一个指向下一个状态的函数的指针。
可我找不到任何方法来声明这样的函数——感觉我需要一个返回指针的函数,返回的指针指向的又是返回指针的函数……,如此往复,以至无穷。
数组大小1.23 能否声明和传入数组大小一致的局部数组,或者由其他参数指定大小的参数数组?1.24 我在一个文件中定义了一个extern数组,然后在另一个文件中使用,为什么sizeof取不到数组的大小?声明问题1.25 函数只定义了一次,调用了一次,但编译器提示非法重声明了。
*1.26 main的正确定义是什么?voidmain正确吗?1.27 我的编译器总在报函数原型不匹配的错误,可我觉得没什么问题。
这是为什么?1.28 文件中的第一个声明就报出奇怪的语法错误,可我看没什么问题。
这是为什么?1.29 为什么我的编译器不允许我定义大数组,如doublearray[256][256]?命名空间1.30如何判断哪些标识符可以使用,哪些被保留了?初始化1.31 对于没有显式初始化的变量的初始值可以作怎样的假定?如果一个全局变量初始值为“零”,它可否作为空指针或浮点零?1.32 下面的代码为什么不能编译?intf(){chara[]="Hello,world!";}*1.33 下面的初始化有什么问题?编译器提示“invalidinitializers”或其他信息。
char*p=malloc(10);1.34 chara[]="stringliteral";和char*p="stringliteral";初始化有什么区别?当我向p[i]赋值的时候,我的程序崩溃了。
1.35 chara{[3]}="abc";是否合法?1.36 我总算弄清楚函数指针的声明方法了,但怎样才能初始化呢?1.37 能够初始化联合吗?第2章 结构、联合和枚举结构声明2.1 structx1{ };和typedefstruct{ }x2;有什么不同?2.2 这样的代码为什么不对?structx{ };xthestruct;2.3 结构可以包含指向自己的指针吗?2.4 在C语言中用什么方法实现抽象数据类型最好?*2.5 在C语言中是否有模拟继承等面向对象程序设计特性的好方法?2.6 为什么声明externf(structx*p);给我报了一个晦涩
2024/1/19 18:27:15 18.8MB c语言
1
#includesbitpwm=P3^7;sbitjia=P3^0;sbitjian=P3^5;sbitled=P3^2;chartt0,zkb;voidinit();voidmain(){ init(); while(1) { if(jia) { ysms(80); if(jia) { zkb--; if(zkb8) { zkb=8; } while(jian); } } if(zkb==8) { TR0=0; pwm=1; } else { TR0=1; } }}voidinit(){ P3M1=0X21; //00100001P350SHURU TMOD=0X01; TH0=0XFF; //6MHZ100uS TL0=0XCE; ET0=1; EA=1; TR0=1; zkb=8; led=0; ysms(200); led=1; ysms(200); led=0; ysms(200); led=1; ysms(200); led=0; ysms(200); led=1; ysms(200); led=0;}voidtime0()interrupt1{ tt0++; if(tt0>zkb) { pwm=0; } if(tt0>8) { tt0=0; pwm=1; } TH0=0XFF; //6MHZ100uS TL0=0XCE;}
2024/1/16 4:54:28 956B STC单片机触摸C程序
1
主要包括一个初始化种子函数voidInitSeed();
和两个二维随机点生成函数PointStructGetUniformPoint2();
PointStructGetNormalPoint2();
函数返回点的坐标。
实现了生成服从二维均匀分布和二维标准正态分布随机点的功能。
2023/12/12 16:10:56 139KB C++ 随机点
1
Houdini13中英对照帮助Houdini13中英对照帮助
2023/11/2 15:03:18 79.23MB Houdini 中英对照
1
spi主机程序STM32CubeMx生成Hal库DMA发送接收intmain(void){/*USERCODEBEGIN1*//*USERCODEEND1*//*MCUConfiguration--------------------------------------------------------*//*Resetofallperipherals,InitializestheFlashinterfaceandtheSystick.*/HAL_Init();/*USERCODEBEGINInit*//*USERCODEENDInit*//*Configurethesystemclock*/SystemClock_Config();/*USERCODEBEGINSysInit*//*USERCODEENDSysInit*//*Initializeallconfiguredperipherals*/MX_GPIO_Init();MX_DMA_Init();MX_USART1_UART_Init();MX_SPI5_Init();/*USERCODEBEGIN2*/// HAL_UART_Receive_DMA(&huart1,rxBuffer,BUFFER_SIZE); /*USERCODEEND2*//*Infiniteloop*//*USERCODEBEGINWHILE*/while(1){ HAL_GPIO_WritePin(GPIOF,GPIO_PIN_6,GPIO_PIN_RESET); spi_tx[0]=6; spi_tx[1]=7; spi_tx[2]=8; spi_tx[3]=9; memset(spi_rx,0,BUFFER_SIZE); HAL_SPI_TransmitReceive_DMA(&hspi5,spi_tx,spi_rx,BUFFER_SIZE); HAL_GPIO_WritePin(GPIOF,GPIO_PIN_6,GPIO_PIN_SET); HAL_Delay(1000);/*USERCODEENDWHILE*//*USERCODEBEGIN3*/}/*USERCODEEND3*/}
2023/11/1 6:11:26 33.37MB spi DMA 主机 STM32CubeMX
1
Review,'Amust-readresourceforanyonewhoisseriousaboutembracingtheopportunityofbigdata.',--CraigVaughan,GlobalVicePresidentatSAP,'Thisbookgoesbeyonddataanalytics101.It'stheessentialguideforthoseofus(allofus?)whosebusinessesarebuiltontheubiquityofdataopportunitiesandthenewmandatefordata-drivendecision-making.',--TomPhillips,CEOofMedia6DegreesandFormerHeadofGoogleSearchandAnalytics,'Dataisthefoundationofnewwavesofproductivitygrowth,innovation,andrichercustomerinsight.Onlyrecentlyviewedbroadlyasasourceofcompetitiveadvantage,dealingwellwithdataisrapidlybecomingtablestakestostayinthegame.Theauthors'deepappliedexperiencemakesthisamustread--awindowintoyourcompetitor'sstrategy.',--AlanMurray,SerialEntrepreneur;PartneratCoriolisVentures,'Thistimelybooksaysoutloudwhathasfinallybecomeapparent:inthemodernworld,DataisBusiness,andyoucannolongerthinkbusinesswithoutthinkingdata.ReadthisbookandyouwillunderstandtheSciencebehindthinkingdata.',--RonBekkerman,ChiefDataOfficeratCarmelVentures,'Agreatbookforbusinessmanagerswholeadorinteractwithdatascientists,whowishtobetterunderstandtheprinciplesandalgorithmsavailablewithoutthetechnicaldetailsofsingle-disciplinarybooks.',--RonnyKohavi,PartnerArchitectatMicrosoftOnlineServicesDivision,AbouttheAuthor,FosterProvostisProfessorandNECFacultyFellowattheNYUSternSchoolofBusinesswhereheteachesintheMBA,BusinessAnalytics,andDataScienceprograms.Hisaward-winningresearchisreadandcitedbroadly.Prof.Provosthasco-foundedseveralsuccessfulcompaniesfocusingondatascienceformarketing.,TomFawcettholdsaPh.D.inmachinelearningandhasworkedinindustryR&DformorethantwodecadesforcompaniessuchasGTELaboratories,NYNEX/VerizonLabs,andHPLabs.Hispublishedworkhasbecomestandar
2023/10/7 12:10:08 16.17MB 数据科学
1
全国青少年信息学奥林匹克联赛(NationalOlympiadinInformaticsinProvinces,简称NOIP)自1995年至2017年已举办23次。
每年由中国计算机学会统一组织。
NOIP在同一时间、不同地点以各省市为单位由特派员组织。
全国统一大纲、统一试卷。
初、高中或其他中等专业学校的学生可报名参加联赛。
联赛分初赛和复赛两个阶段。
初赛考察通用和实用的计算机科学知识,以笔试形式进行。
复赛为程序设计,须在计算机上调试完成。
参加初赛者须达到一定分数线后才有资格参加复赛。
联赛分普及组和提高组两个组别,难度不同,分别面向初中和高中阶段的学生。
2023/9/26 1:03:03 41.1MB noip 真题
1
IT项目管理(英文版.第四版)/(美)施瓦尔布(Schwalbe,K.)著.—北京:机械工业出版社,2006.7(经典原版书库)课后习题答案语言——英文Class130613Team3MadeByWangWanHongorganizationscollectandcontrolanentiresuiteofprojectsorinvestmentsasonesetofinterrelatedactivitiesinaportfolio.Theprojectportfoliomanagementingeneralisdividedintofivelevels,fromthesimpletothecomplexare:1]Putalltheitemsintoadatabase2Settingprioritiesfortheitemsinthedatabase3]Accordingtothedifferenttypeofinvestment,theseitemsweredividednto2-3Budget4RunKnowledgebaseautomatically5ApplythemodernPortfolioTheory7.WhataretheskillsrequiredforProjectManagers?Answer:Projectmanagersneedawidevarietyofskills.Theyneedbothhard"andsoftskillsHardskillsincludeproductknowledgeandknowinghowtousevariousprojectmanagementtoolsandtechniquesoSoftskillsincludebeingabletoworkwithvarioustypesofpeople.1)Communicationskills:Listens,persuades2)Organizationalskills:Plans,setsgoals,analyzes3)Team-buildingskills:Showsempathy(同感,共鸣),motivates,promotesespritdecorps4)Leadershipskills:Setsexamples,providesvision(bigpicture),delegatespositive,energetic5]Copingskills:Flexible,creative,patient,persistent6Technologyskills:Experience,projectknowledge8.ExpandPMiandPMP?AnswerPMI:ProjectManagementInstitutePMP:ProjectManagementProfessionaChapter-21.ExplainSystemApproachofProjectmanagement?AnswersSystemsapproachdescribesaholistic(A])andanalyticalapproachtoPage3Class130613Team3MadeByWangWanHongsolvingcomplexproblemsThreepartsinclude:Systemsphilosophy:Viewthingsassystems,whichareinteracting(fh互作用)componentsthatworkwithinanenvironmenttofulfillsomepurposeSystemsanalysisisaproblem-solvingapproach1)Definethescopeofthesystem2Divideintocomponents3Identifyandevaluatingsystemproblems,opportunities,constraintsandneeds4]Examinealternativesolutionforimprovingthecurrentsituation5)Identify(f)ansolutionoractionplanandexaminethatplanagainsttheentiresySystemsmanagement:Addressbusiness,technological,andorganizationalissuesassociatedwithcreating,maintaining,andmakingchangestosystems1Identifyandsatisfythekeystakeholders2Doingthebestfortheorganization2.Whatarethethreebasicorganizationalstructures?Answer:Threegeneralclassificationsoforganizationalstructuresarefunctional,project,andmatrix.Afunctionalorganizationalstructureisthehierarchy.Functionalmanagersorvicepresidentsinspecialtiesreporttotheceo.Thestaffshavespecializedskills.Aprojectorganizationalstructurealsohasahierarchicalstructure,buttheirprogrammanagersreporttotheceoAmatrixorganizationalstructurerepresentsthemiddlegroundbetweenfunctionalandprojectstructures3.DrawandexplainthephasesofthetraditionalprojectLifeCycle?Answer:Page4Class130613Team3MadeByWangWanHongProjectFeasibilityProjectAcquisitionConceptDevelopmentImplementationClose-outFigurePhasesofthetraditionalprojectlifecycleIntheconceptphaseofaproject,managersusuallybrieflydescribetheproject-theydevelopaveryhigh-levelorsummaryplanfortheproject,whichdescribestheneedforprojectandbasicunderlyingconceptInthedevelopmentphase,theprojectteamcreatesmoredetailedprojectplans,amoreaccuratecostestimate,andamorethoroughwbsIntheImplementationphase,theprojectteamcreatesadefinitiveorveryaccuratecostestimate,deliverstherequiredwork,andprovidesperformancereportstostakeholdersIntheclose-outphase,alloftheworkiscompleted,andthereshouldbesomesortofcustomeracceptanceoftheentireproject4.Whatarephaseexits?Answer:phaseexitsarethephase-endreviewofkeydeliverablesthatallowtheorganizationtoevaluatetheprojectsperformanceandtotakeimmediateactiontocorrectanyerrorsorproblems5.Howcantopmanagementhelpprojectmanagers?Answer:TopmanagementcanhelpprojectmanagersinthefollowingwaysTheprojectmanagerneedsadequate(足够的)resourcesThebestwaytokillaprojectistowithhold(E)therequiredmoney,humanresources,andvisibilityfortheproject.Iftheprojectmanagershavetopmanagementcommitment,theywillalsohaveadequateresourcesandnotbedistractedbyeventsthatdonotaffecttheirspecificprojectsProjectmanagersoftenrequireapprovalforuniqueprojectneedsinatimelymannerProjectmanagersmusthavecooperationfrompeopleinotherpartsofthePage5Class130613Team3MadeByWangWanHongorganizationProjectmanagersoftenneedsomeonetomentorandcoachthemonleadershipissuesChapter-31.ExplainProjectmanagementprocessgroups?AnswerInitiatingPlanningExecutingandControllingClosingProcessProcessProcessProcessProcessGroupGrouproupGroupGroupActivityStartFinishTimeMonitoringInitiatingExecutingandClosingControllig∩,,PlanningkProjectmanagementprocessgroupsprogressfrominitiationactivitiestoplanningactivities,executingactivities,monitoringandcontrollingactivities,andclosingactivities.Initiatingprocessesincludedefiningandauthorizingaprojectorprojectphase.Planningprocessesincludedevisingandmaintainingaworkablescheme.ExecutingprocessesincludecoordinatingpeopleandotherresourcesMonitoringandcontrollingprocessesincluderegularlymeasuringandmonitoringprogresstoensurethattheprojectteammeetstheprojectobjectives.ClosingprocessesincludeformalizingacceptanceoftheprojectorprojectphaseandendingitefficientlyPage6Class130613Team3MadeByWangWanHongChaptter-41.DrawProjectManagementFramework?Answer:TheProjectManagementFrameworkisProjectPortfolioProject1Project9KnowledgeAreasToolsandProject3EySEnterpriseProject4uccessCorefunctionstechniquesProject5TimeCostQualityProject6MatMgt.MgtMat1gProjectIntegrationManagementProjectStakeholders'SuccessedsandexpectatonsHRComm.RiskProcure.G++MatMatMgtMatFacilitatingFunctions2.ListthevariousProjectIntegrationManagementProcesses?Answer1)Developtheprojectcharter,whichinvolvesworkingwithstakeholderstocreatethedocumentthatformallyauthorizesaproject-thecharter2)Developthepreliminaryprojectscopestatement,whichinvolvesurtherworkwithstakeholders,especiallyusersoftheproject'sproducts,services,orresults,todevelopthehigh-levelscoperequirements.Theoutputofthisprocessistheprocessisthepreliminaryprojectscopestatement3Developtheprojectmanagementplan,whichinvolvescoordinatingallplanningeffortstocreateaconsistent,coherentdocument-theprojectmanagementplan4Directandmanageprojectexecution,whichinvolvescarryingouttheprojectmanagementplanbyperformingtheactivitiesincludedinit.Theoutputsofthisprocessaredeliverables,requestedchanges,workperformanceinformation,implementedchangerequest,correctiveactions,preventiveactions,anddefectrepair.5)Monitorandcontroltheprojectwork,whichinvolvesoverseeingPage7Class130613Team3MadeByWangWanHongprojectworktomeettheperformanceobjectiveoftheproject.Theoutputsofthisprocessarerecommendeddefectrepair,andrequestedchanges6)Performintegratedchangecontrol,whichinvolvescoordinatingchangesthataffecttheproject'sdeliverablesandorganizationalprocessassets.Theoutputsofthisprocessincludeapprovedandrejectedchangerequests,approvedcorrectiveandpreventiveactions,approvedandvalidateddefectrepair,deliverables,andupdatestothepIrojectmanagementplanandprojectscopestatement.7Closetheproject,whichinvolvesfinalizingallprojectactivitiestoformallyclosetheprojectOutputsofthisprocessincludefinalproducts,services,orresults,administrativeandcontractclosureprocedures,andupdatestoorganizationalprocessassets3.WhatisSWotanalysis?Answer:SWOTAnalysisisastrategicplanningmethodusedtoevaluatetheStrengths,Weaknesses,Opportunities,andThreatsinvolvedinaprojectorinabusinessventure.Itinvolvesspecifyingtheobjectiveofthebusinessventureorprojectandidentifyingtheinternalandexternalfactorsthatarefavorableandunfavorabletoachievingthatobjective4.WhatisaProjectcharterdocument?Answer:Aprojectcharterisadocumentthatformallyrecognizestheexistenceofaprojectandprovidesdirectionontheproject'sobjectivesandmanagement5.Whatisscopestatementdocument?Answer:ScopeStatementisadocumentfortherighttoreachacommonunderstandingofprojectscopeaswellastheconfirmation.Itdescribesindetailwhatworkshouldbeaccomplishedintheproject,andisanimportanttooltopreventthespreadofthescope.Scopestatementshouldincludetheoverallprojectobjectivesanddescription,productdescription,allprojectdeliverables,aswellasasynthesisofthedeterminantsofsuccessoftheprojectdescriptions6.Whatisscopecreeps?Answer:Scopecreepisthetendencyofaprojecttoincludemoretasksortoimplementmoresystemsthanoriginallyspecified,whichoftenleadstoPage8Class130613Team3MadeByWangWanHonghiigherthanplannedprojectcostsandanextensionoftheinitialimplementationdate.Inotherwordsitbasicallymeansafeaturethatwasinitiallythoughttobesimplethat'sexplodinginscale7.Whatarethecommonelementsofaprojectmanagementplan?AnsweroIntroductionoroverviewoftheproject1)Projectname2Projectdescriptionitsneed3Sponsor'sname4NamesofthePMProjectTeamdEliverables6Listofreferencematerials7)ListofdefinitionsandacronymsoDescriptionofhowtheprojectisorganizedOrganizationalcharts2Projectresponsibilities3Otherorganizationalorprocess-relatedinformationManagementandtechnicalprocessesusedontheproject1)ManagementobjectivesProjectControls3RiskManagement4staffing5TechnicalProcessesoWorktobedone,schedule,andbudgetinformation1)Majorworkpackages2)Keydeliverables3)Otherwork-relatedinformation4Summaryschedule5Detailedschedule6Otherschedule-relatedinformation7Summarybudgets8Detailedbudget9)OtherbudgetrelatedinformationPage9Class130613Team3MadeByWangWanHong8.Whatisstakeholderanalysis?Answer:Stakeholderanalysisisanimportanttechniqueforstakeholderidentificationanalyzingtheirneeds.Itisusedtoidentifyallkeystakeholderswhohavevestedinterestintheissueswithwhichtheprojectisconcerned.Theaimofstakeholderanalysisprocessistodevelopastrategicviewofthehumanandinstitutionallandscape,andtherelationshipsbetweenthedifferentstakeholdersandtheissuestheycareaboutmost9.ExplainCCBsAnswer:CCBisaChangeControlBoardforshort.CCBsprovideguidelinesforpreparingchangerequests,evaluatechangerequests,andmanagetheimplementationofapprovedchanges10.Explain48-hourspolicy?Answer:A"48-hourpolicy"canhelptaskleadersonalargeinformationtechnologyprojectreachagreementsonkeydecisionsorchangeswithintheirexpertiseandauthority.Itallowsprojectteammemberstomakeadecisionandhave48hourstoseekapprovalfromtopmanagement.Iftheteamdecisioncannotbeimplemented,managementhas48hourstoreverseadecision;otherwise,theteamsdecisionisapprovedChapter-51.WhatisProjectScopeManagement?Answer:Projectscopemanagementisthedefinitionaboutwhatisincludedandwhatisnotincludedintheprojectandtheprocessofcontrolling.Thisprocessensuresthattheprojectteamandstakeholdershaveacommonunderstandingoftheprojectproductsastheprojectresultandtheprocessesusedinproducingtheseproducts.Themainprocessesare:Scopeplan;Scopedefinition;CreateWBS;Scopeconfirm;Scopecontrol2.ListthevariousProjectscopemanagementProcesses?AnswereScopeplanningDecidinghowthescopewillbedefined,verified,andcontrolledandhowthewbswillbecreatedPage10
2023/9/12 6:39:54 841KB IT项目管理 课后答案
1
oracle的补丁,theplug-infailedinitsperformmethod报错的时候使用
2023/8/15 16:20:22 938KB oracle p8670579
1
共 52 条记录 首页 上一页 下一页 尾页
在日常工作中,钉钉打卡成了我生活中不可或缺的一部分。然而,有时候这个看似简单的任务却给我带来了不少烦恼。 每天早晚,我总是得牢记打开钉钉应用,点击"工作台",再找到"考勤打卡"进行签到。有时候因为工作忙碌,会忘记打卡,导致考勤异常,影响当月的工作评价。而且,由于我使用的是苹果手机,有时候系统更新后,钉钉的某些功能会出现异常,使得打卡变得更加麻烦。 另外,我的家人使用的是安卓手机,他们也经常抱怨钉钉打卡的繁琐。尤其是对于那些不太熟悉手机操作的长辈来说,每次打卡都是一次挑战。他们总是担心自己会操作失误,导致打卡失败。 为了解决这些烦恼,我开始思考是否可以通过编写一个全自动化脚本来实现钉钉打卡。经过一段时间的摸索和学习,我终于成功编写出了一个适用于苹果和安卓系统的钉钉打卡脚本。
2024-04-09 15:03 15KB 钉钉 钉钉打卡