在线不卡日本ⅴ一区v二区_精品一区二区中文字幕_天堂v在线视频_亚洲五月天婷婷中文网站

  • <menu id="lky3g"></menu>
  • <style id="lky3g"></style>
    <pre id="lky3g"><tt id="lky3g"></tt></pre>

    安卓系統(tǒng)怎么升級到最新版本(Android系統(tǒng)OTA升級流程)

    Android系統(tǒng)進(jìn)行升級的時候,有兩種途徑,一種是通過接口傳遞升級包路徑自動升級(Android系統(tǒng)SD卡升級),升級完之后系統(tǒng)自動重啟;另一種是手動進(jìn)入recovery模式下,選擇升級包進(jìn)行升級,升級完成之后停留在recovery界面,需要手動選擇重啟。前者多用于手機(jī)廠商的客戶端在線升級,后者多用于開發(fā)和測試人員。但不管哪種,原理都是一樣的,都要在recovery模式下進(jìn)行升級。

    1、獲取升級包,可以從服務(wù)端下載,也可以直接拷貝到SD卡中

    2、獲取升級包路徑,驗(yàn)證簽名,通過installPackage接口升級

    3、系統(tǒng)重啟進(jìn)入Recovery模式

    4、在install.cpp進(jìn)行升級操作

    5、try_update_binary執(zhí)行升級腳本

    6、finish_recovery,重啟

    一、獲取升級包,可以從服務(wù)端下載,也可以直接拷貝到SD卡中

    假設(shè)SD卡中已有升級包update.zip

    二、獲取升級包路徑,驗(yàn)證簽名,通過installPackage接口升級

    1、調(diào)用RecoverySystem類提供的verifyPackage方法進(jìn)行簽名驗(yàn)證

    publicstaticvoidverifyPackage(File packageFile, ProgressListener listener, File deviceCertsZipFile)throwsIOException, GeneralSecurityException

    簽名驗(yàn)證函數(shù),實(shí)現(xiàn)過程就不貼出來了,參數(shù),

    packageFile–升級文件

    listener–進(jìn)度監(jiān)督器

    deviceCertsZipFile–簽名文件,如果為空,則使用系統(tǒng)默認(rèn)的簽名

    只有當(dāng)簽名驗(yàn)證正確才返回,否則將拋出異常。

    在Recovery模式下進(jìn)行升級時候也是會進(jìn)行簽名驗(yàn)證的,如果這里先不進(jìn)行驗(yàn)證也不會有什么問題。但是我們建議在重啟前,先驗(yàn)證,以便及早發(fā)現(xiàn)問題。

    如果簽名驗(yàn)證沒有問題,就執(zhí)行installPackage開始升級。

    2、installPackage開始升級

    如果簽名驗(yàn)證沒有問題,就進(jìn)行重啟升級,

    publicstaticvoidinstallPackage(Context context, File packageFile)throwsIOException { String filename = packageFile.getCanonicalPath(); Log.w(TAG, "!!! REBOOTING TO INSTALL "+ filename + " !!!"); finalString filenameArg = "--update_package="+ filename; finalString localeArg = "--locale="+ Locale.getDefault().toString(); bootCommand(context, filenameArg, localeArg); }

    這里定義了兩個參數(shù),我們接著看,

    privatestaticvoidbootCommand(Context context, String... args)throwsIOException { RECOVERY_DIR.mkdirs(); // In case we need it COMMAND_FILE.delete(); // In case it's not writable LOG_FILE.delete(); FileWriter command = new FileWriter(COMMAND_FILE); try { for (String arg : args) { if (!TextUtils.isEmpty(arg)) { command.write(arg); command.write("\n"); } } } finally { command.close(); } // Having written the command file, go ahead and reboot PowerManager pm = (PowerManager) context.getSystemService(Context.POWER_SERVICE); pm.reboot(PowerManager.REBOOT_RECOVERY); throw new IOException("Reboot failed (no permissions?)"); }

    創(chuàng)建目錄/cache/recovery/,command文件保存在該目錄下;如果存在command文件,將其刪除;然后將上面一步生成的兩個參數(shù)寫入到command文件。

    最后重啟設(shè)備,重啟過程就不再詳述了。

    三、系統(tǒng)重啟進(jìn)入Recovery模式

    系統(tǒng)重啟時會判斷/cache/recovery目錄下是否有command文件,如果存在就進(jìn)入recovery模式,否則就正常啟動。

    進(jìn)入到Recovery模式下,將執(zhí)行recovery.cpp的main函數(shù),下面貼出關(guān)鍵代碼片段,

    intarg; while((arg = getopt_long(argc, argv, "", OPTIONS, NULL)) != -1) { switch(arg) { case's': send_intent = optarg; break; case'u': update_package = optarg; break; case'w': wipe_data = wipe_cache = 1; break; case'c': wipe_cache = 1; break; case't': show_text = 1; break; case'x': just_exit = true; break; case'l': locale = optarg; break; case'g': { if(stage == NULL|| *stage == '\0') { charbuffer[20] = "1/"; strncat(buffer, optarg, sizeof(buffer)-3); stage = strdup(buffer); } break; } case'p': shutdown_after = true; break; case'r': reason = optarg; break; case'?': LOGE("Invalid command argument\n"); continue; } }

    這是一個While循環(huán),用來讀取 recoverycommand參數(shù), OPTIONS的不同選項定義如下,

    staticconststructoptionOPTIONS[] = {{ "send_intent", required_argument, NULL, 's'}, { "update_package", required_argument, NULL, 'u'}, { "wipe_data", no_argument, NULL, 'w'}, { "wipe_cache", no_argument, NULL, 'c'}, { "show_text", no_argument, NULL, 't'}, { "just_exit", no_argument, NULL, 'x'}, { "locale", required_argument, NULL, 'l'}, { "stages", required_argument, NULL, 'g'}, { "shutdown_after", no_argument, NULL, 'p'}, { "reason", required_argument, NULL, 'r'}, { NULL, 0, NULL, 0},};

    顯然,根據(jù)第二步寫入的命令文件內(nèi)容,將為update_package 賦值。

    接著看,

    if(update_package) { // For backwards compatibility onthe cache partition only, if // we're given an old 'root' path "CACHE:foo", change it to // "/cache/foo". if (strncmp(update_package, "CACHE:", 6) == 0) { int len = strlen(update_package) + 10; char* modified_path = (char*)malloc(len); strlcpy(modified_path, "/cache/", len); strlcat(modified_path, update_package+6, len); printf("(replacing path \"%s\" with \"%s\")\n", update_package, modified_path); update_package = modified_path; } }

    兼容性處理。

    int status= INSTALL_SUCCESS; if(update_package != NULL) { status= install_package(update_package, &wipe_cache, TEMPORARY_INSTALL_FILE, true); if(status== INSTALL_SUCCESS && wipe_cache) { if(erase_volume("/cache")) { LOGE("Cache wipe (requested by package) failed."); } } if(status!= INSTALL_SUCCESS) { ui->Print("Installation aborted.\n"); // If this is an eng oruserdebug build, thenautomatically // turn the text display on ifthe script fails so the error// message is visible. charbuffer[PROPERTY_VALUE_MAX+1]; property_get("ro.build.fingerprint", buffer, ""); if(strstr(buffer, ":userdebug/") || strstr(buffer, ":eng/")) { ui->ShowText(true); } } } elseif(wipe_data) { if(device->WipeData()) status= INSTALL_ERROR; if(erase_volume("/data")) status= INSTALL_ERROR; if(wipe_cache && erase_volume("/cache")) status= INSTALL_ERROR; if(erase_persistent_partition() == -1) status= INSTALL_ERROR; if(status!= INSTALL_SUCCESS) ui->Print("Data wipe failed.\n"); } elseif(wipe_cache) { if(wipe_cache && erase_volume("/cache")) status= INSTALL_ERROR; if(status!= INSTALL_SUCCESS) ui->Print("Cache wipe failed.\n"); } elseif(!just_exit) { status= INSTALL_NONE; // No command specified ui->SetBackground(RecoveryUI::NO_COMMAND); }

    update_package不為空,執(zhí)行install_package方法。

    我們也可以看到擦除數(shù)據(jù)、緩存的實(shí)現(xiàn)也是在這個里執(zhí)行的,這里就不展開了。

    四、在install.cpp進(jìn)行升級操作

    具體的升級過程都是在install.cpp中執(zhí)行的,先看install_package方法,

    intinstall_package(constchar* path, int* wipe_cache, constchar* install_file, boolneeds_mount){ FILE* install_log = fopen_path(install_file, "w"); if(install_log) { fputs(path, install_log); fputc('\n', install_log); } else{ LOGE("failed to open last_install: %s\n", strerror(errno)); } intresult; if(setup_install_mounts() != 0) { LOGE("failed to set up expected mounts for install; aborting\n"); result = INSTALL_ERROR; } else{ result = really_install_package(path, wipe_cache, needs_mount); } if(install_log) { fputc(result == INSTALL_SUCCESS ? '1': '0', install_log); fputc('\n', install_log); fclose(install_log); } returnresult;}

    這個方法中首先創(chuàng)建了log文件,升級過程包括出錯的信息都會寫到這個文件中,便于后續(xù)的分析工作。繼續(xù)跟進(jìn), really_install_package,

    static intreally_install_package(const char*path, int* wipe_cache, bool needs_mount){ ui->SetBackground(RecoveryUI::INSTALLING_UPDATE); ui->Print("Finding update package...\n"); // Give verification half the progress bar... ui->SetProgressType(RecoveryUI::DETERMINATE); ui->ShowProgress(VERIFICATION_PROGRESS_FRACTION, VERIFICATION_PROGRESS_TIME); LOGI("Update location: %s\n", path); // Map the update packageinto memory. ui->Print("Opening update package...\n"); if(path&& needs_mount) { if(path[0] == '@') { ensure_path_mounted(path+1); } else{ ensure_path_mounted(path); } } MemMapping map; if(sysMapFile(path, &map) != 0) { LOGE("failed to map file\n"); returnINSTALL_CORRUPT; } // 裝入簽名文件 int numKeys; Certificate* loadedKeys = load_keys(PUBLIC_KEYS_FILE, &numKeys); if(loadedKeys == NULL) { LOGE("Failed to load keys\n"); returnINSTALL_CORRUPT; } LOGI("%d key(s) loaded from %s\n", numKeys, PUBLIC_KEYS_FILE); ui->Print("Verifying update package...\n"); // 驗(yàn)證簽名 int err; err = verify_file(map.addr, map.length, loadedKeys, numKeys); free(loadedKeys); LOGI("verify_file returned %d\n", err); // 簽名失敗的處理 if(err != VERIFY_SUCCESS) { LOGE("signature verification failed\n"); sysReleaseMap(&map); returnINSTALL_CORRUPT; } /* Try to openthe package. */ // 打開升級包 ZipArchive zip; err = mzOpenZipArchive(map.addr, map.length, &zip); if(err != 0) { LOGE("Can't open %s\n(%s)\n", path, err != -1? strerror(err) : "bad"); sysReleaseMap(&map); returnINSTALL_CORRUPT; } /* Verify andinstall the contents of the package. */ ui->Print("Installing update...\n"); ui->SetEnableReboot(false); // 執(zhí)行升級腳本文件,開始升級 int result = try_update_binary(path, &zip, wipe_cache); ui->SetEnableReboot(true); ui->Print("\n"); sysReleaseMap(&map); returnresult;}

    該方法主要做了三件事

    1、驗(yàn)證簽名

    intnumKeys; Certificate* loadedKeys = load_keys(PUBLIC_KEYS_FILE, &numKeys); if(loadedKeys == NULL) { LOGE("Failed to load keys\n"); returnINSTALL_CORRUPT; }

    裝載簽名文件,如果為空 ,終止升級;

    interr; err = verify_file(map.addr, map.length, loadedKeys, numKeys); free(loadedKeys); LOGI("verify_file returned %d\n", err); // 簽名失敗的處理 if (err != VERIFY_SUCCESS) { LOGE("signature verification failed\n"); sysReleaseMap(&map); return INSTALL_CORRUPT; }

    調(diào)用verify_file進(jìn)行簽名驗(yàn)證,這個方法定義在verifier.cpp文件中,此處不展開,如果驗(yàn)證失敗立即終止升級。

    2、讀取升級包信息

    ZipArchivezip; err = mzOpenZipArchive(map.addr, map.length, &zip); if(err != 0) { LOGE("Can't open %s\n(%s)\n", path, err != -1? strerror(err) : "bad"); sysReleaseMap(&map); returnINSTALL_CORRUPT; }

    執(zhí)行mzOpenZipArchive方法,打開升級包并掃描,將包的內(nèi)容拷貝到變量zip中,該變量將作為參數(shù)用來執(zhí)行升級腳本。

    3、執(zhí)行升級腳本文件,開始升級

    intresult = try_update_binary(path, &zip, wipe_cache);

    try_update_binary方法用來處理升級包,執(zhí)行制作升級包中的腳本文件 update_binary ,進(jìn)行系統(tǒng)更新。

    五、try_update_binary執(zhí)行升級腳本

    // If the packagecontains an update binary, extract it andrun it.static inttry_update_binary(const char*path, ZipArchive *zip, int* wipe_cache) { // 檢查update-binary是否存在 const ZipEntry* binary_entry = mzFindZipEntry(zip, ASSUMED_UPDATE_BINARY_NAME); if(binary_entry == NULL) { mzCloseZipArchive(zip); returnINSTALL_CORRUPT; } const char* binary = "/tmp/update_binary"; unlink(binary); int fd = creat(binary, 0755); if(fd < 0) { mzCloseZipArchive(zip); LOGE("Can't make %s\n", binary); returnINSTALL_ERROR; } // update-binary拷貝到"/tmp/update_binary"bool ok = mzExtractZipEntryToFile(zip, binary_entry, fd); close(fd); mzCloseZipArchive(zip); if(!ok) { LOGE("Can't copy %s\n", ASSUMED_UPDATE_BINARY_NAME); returnINSTALL_ERROR; } // 創(chuàng)建管道,用于下面的子進(jìn)程和父進(jìn)程之間的通信 int pipefd[2]; pipe(pipefd); // When executing the update binary contained inthe package, the // arguments passed are: // // - the version number forthis interface // // - an fd to which the program can writeinorder to update the // progress bar. The program can writesingle-line commands: // // progress   // fill up the next part of of the progress bar // over  seconds. If  is zero, use // set_progress commands to manually control the // progress of this segment of the bar // // set_progress  //  should be between 0.0and1.0; sets the // progress bar within the segment defined by the most // recent progress command. // // firmware   // arrange to install the contents of  inthe // given partition on reboot. // // (API v2:  may start with "PACKAGE:"to // indicate taking a file from the OTA package.) // // (API v3: this command no longer exists.) // // ui_print  // display  on the screen. // // - the name of the packagezip file. // const char** args = (const char**)malloc(sizeof(char*) * 5); args[0] = binary; args[1] = EXPAND(RECOVERY_API_VERSION); // defined inAndroid.mk char* temp = (char*)malloc(10); sprintf(temp, "%d", pipefd[1]); args[2] = temp; args[3] = (char*)path; args[4] = NULL; // 創(chuàng)建子進(jìn)程。負(fù)責(zé)執(zhí)行binary腳本 pid_t pid = fork(); if(pid == 0) { umask(022); close(pipefd[0]); execv(binary, (char* const*)args);// 執(zhí)行binary腳本 fprintf(stdout, "E:Can't run %s (%s)\n", binary, strerror(errno)); _exit(-1); } close(pipefd[1]); *wipe_cache = 0; // 父進(jìn)程負(fù)責(zé)接受子進(jìn)程發(fā)送的命令去更新ui顯示 charbuffer[1024]; FILE* from_child = fdopen(pipefd[0], "r"); while(fgets(buffer, sizeof(buffer), from_child) != NULL) { char* command = strtok(buffer, " \n"); if(command == NULL) { continue; } elseif(strcmp(command, "progress") == 0) { char* fraction_s = strtok(NULL, " \n"); char* seconds_s = strtok(NULL, " \n"); float fraction = strtof(fraction_s, NULL); int seconds = strtol(seconds_s, NULL, 10); ui->ShowProgress(fraction * (1-VERIFICATION_PROGRESS_FRACTION), seconds); } elseif(strcmp(command, "set_progress") == 0) { char* fraction_s = strtok(NULL, " \n"); float fraction = strtof(fraction_s, NULL); ui->SetProgress(fraction); } elseif(strcmp(command, "ui_print") == 0) { char* str = strtok(NULL, "\n"); if(str) { ui->Print("%s", str); } else{ ui->Print("\n"); } fflush(stdout); } elseif(strcmp(command, "wipe_cache") == 0) { *wipe_cache = 1; } elseif(strcmp(command, "clear_display") == 0) { ui->SetBackground(RecoveryUI::NONE); } elseif(strcmp(command, "enable_reboot") == 0) { // packages can explicitly request that they want the user // to be able to reboot during installation (useful for// debugging packages that don't exit). ui->SetEnableReboot(true); } else { LOGE("unknown command [%s]\n", command); } } fclose(from_child); int status; waitpid(pid, &status, 0); if (!WIFEXITED(status) || WEXITSTATUS(status) != 0) { LOGE("Error in %s\n(Status %d)\n", path, WEXITSTATUS(status)); return INSTALL_ERROR; } return INSTALL_SUCCESS;}

    try_update_binary函數(shù),是真正實(shí)現(xiàn)讀取升級包中的腳本文件并執(zhí)行相應(yīng)的函數(shù)的地方。在此函數(shù)中,通過調(diào)用fork函數(shù)創(chuàng)建出一個子進(jìn)程,在子進(jìn)程中開始讀取并執(zhí)行升級腳本文件。在此需要注意的是函數(shù)fork的用法,fork被調(diào)用一次,將做兩次返回,在父進(jìn)程中返回的是子進(jìn)程的進(jìn)程ID,為正數(shù);而在子進(jìn)程中,則返回0。子進(jìn)程創(chuàng)建成功后,開始執(zhí)行升級代碼,并通過管道與父進(jìn)程交互,父進(jìn)程則通過讀取子進(jìn)程傳遞過來的信息更新UI。

    六、finish_recovery,重啟

    上一步完成之后,回到main函數(shù),

    // Save logs and clean up before rebooting or shutting down. finish_recovery(send_intent);

    保存升級過程中的log,清除臨時文件,包括command文件(不清除的話,下次重啟還會進(jìn)入recovery模式),最后重啟。

    以上就是升級的一個流程。

    Android系統(tǒng)OTA升級流程Android系統(tǒng)OTA升級流程

    補(bǔ)充:

    手動升級的流程也基本差不多,通過power key + volume上鍵組合,進(jìn)入recovery模式,進(jìn)入prompt_and_wait函數(shù)等待用戶按鍵事件。

    recovery.cpp的main函數(shù),

    Device::BuiltinAction after = shutdown_after ? Device::SHUTDOWN : Device::REBOOT; if(status != INSTALL_SUCCESS || ui->IsTextVisible()) { Device::BuiltinAction temp = prompt_and_wait(device, status); if(temp != Device::NO_ACTION) after = temp; }

    根據(jù)用戶選擇進(jìn)入到相應(yīng)的分支進(jìn)行處理,如下圖,

    intchosen_item = get_menu_selection(headers, device->GetMenuItems(), 0, 0, device); // device-specific code may take some action here. It may // return one of the core actions handled in the switch // statement below. Device::BuiltinAction chosen_action = device->InvokeMenuItem(chosen_item);

    Android系統(tǒng)OTA升級流程Android系統(tǒng)OTA升級流程

    當(dāng)我們選擇從外置 sdcard升級,進(jìn)入如下分支中,

    caseDevice::APPLY_EXT: { ensure_path_mounted(SDCARD_ROOT); char* path = browse_directory(SDCARD_ROOT, device); if(path == NULL) { ui->Print("\n-- No package file selected.\n", path); break; } ui->Print("\n-- Install %s ...\n", path); set_sdcard_update_bootloader_message(); void* token = start_sdcard_fuse(path); int status = install_package(FUSE_SIDELOAD_HOST_PATHNAME, &wipe_cache, TEMPORARY_INSTALL_FILE, false); finish_sdcard_fuse(token); ensure_path_unmounted(SDCARD_ROOT); if(status == INSTALL_SUCCESS && wipe_cache) { ui->Print("\n-- Wiping cache (at package request)...\n"); if(erase_volume("/cache")) { ui->Print("Cache wipe failed.\n"); } else{ ui->Print("Cache wipe complete.\n"); } } if(status >= 0) { if(status != INSTALL_SUCCESS) { ui->SetBackground(RecoveryUI::ERROR); ui->Print("Installation aborted.\n"); } elseif(!ui->IsTextVisible()) { returnDevice::NO_ACTION; // reboot if logs aren't visible } else { ui->Print("\nInstall from sdcard complete.\n"); } } break; }

    char* path = browse_directory(SDCARD_ROOT, device);這個函數(shù)瀏覽 SD card下的文件 ,并把路徑記錄下來 ,然后根據(jù)名稱排序 ,并處理用戶按鍵。

    Android系統(tǒng)OTA升級流程Android系統(tǒng)OTA升級流程

    ·當(dāng)用戶選擇第一個條目“../”,直接跳轉(zhuǎn)到上級目錄,并且繼續(xù)瀏覽文件

    ·當(dāng)用戶選擇的條目以“/”開頭,直接進(jìn)入子目錄

    ·其它情況表明,該條目就是zip.寫入BCB,copy 更新包至臨時目錄,直接轉(zhuǎn)入install_package

    選擇zip包后,同樣也是執(zhí)行install_package函數(shù),后面與自動升級的流程是一樣的。

    intstatus = install_package(FUSE_SIDELOAD_HOST_PATHNAME, &wipe_cache, TEMPORARY_INSTALL_FILE, false);

    鄭重聲明:本文內(nèi)容及圖片均整理自互聯(lián)網(wǎng),不代表本站立場,版權(quán)歸原作者所有,如有侵權(quán)請聯(lián)系管理員(admin#wlmqw.com)刪除。
    用戶投稿
    上一篇 2022年4月20日 03:48
    下一篇 2022年4月20日 03:49

    相關(guān)推薦

    • 存儲過程語法(sql server存儲過程語法)

      今天小編給各位分享存儲過程語法的知識,其中也會對sql server存儲過程語法進(jìn)行解釋,如果能碰巧解決你現(xiàn)在面臨的問題,別忘了關(guān)注本站,現(xiàn)在開始吧! oracle存儲過程基本語法…

      2022年11月26日
    • 直播帶貨詳細(xì)腳本(直播文案策劃怎么寫)

      短視頻運(yùn)營策劃方案怎么寫?涉及哪幾個方面? 我在網(wǎng)上看到好多千篇一律的文章,關(guān)于【短視頻運(yùn)營策劃方案】這一塊,基本都是在講賬號的內(nèi)容本身。 你內(nèi)容做得再好,卻不掌握算法的規(guī)律,能有…

      2022年11月25日
    • 科比19歲女兒遭自稱與她生“科比式孩子”男子跟蹤騷擾

      極目新聞記者王亮亮黃佳琪 據(jù)??怂剐侣劸W(wǎng)報道,當(dāng)?shù)貢r間11月21日,已故籃球巨星科比·布萊恩特的長女娜塔莉亞·布萊恩特21日向法院提交臨時限制令,聲稱這位32歲的前科從十幾歲起就騷…

      2022年11月24日
    • 免費(fèi)清理c盤的軟件(清理c盤空間不影響系統(tǒng))

      電腦用久了慢如龜速,還卡頓,這最大的原因啊就是C盤空間不足造成的。 即使電腦配置再好,或者硬盤再快,如果長時間沒有打掃C盤,打開文件或者穩(wěn)定之類的,都卡得讓人頭大。 這時候呢不要去…

      2022年11月24日
    • ipad怎么刷機(jī)(ipad怎么刷機(jī)重新激活)

      今天小編給各位分享ipad怎么刷機(jī)的知識,其中也會對ipad怎么刷機(jī)重新激活進(jìn)行解釋,如果能碰巧解決你現(xiàn)在面臨的問題,別忘了關(guān)注本站,現(xiàn)在開始吧! ipad密碼忘了怎么刷機(jī)? ip…

      2022年11月24日
    • pdf虛擬打印機(jī)(添加pdf虛擬打印機(jī))

      本文主要講的是pdf虛擬打印機(jī),以及和添加pdf虛擬打印機(jī)相關(guān)的知識,如果覺得本文對您有所幫助,不要忘了將本文分享給朋友。 pdf虛擬打印機(jī)具體是什么功能? 電腦虛擬打印機(jī)的功能有…

      2022年11月24日
    • win11怎么退回win10 win11怎么還原到win10

      許多朋友在更新完win11后發(fā)現(xiàn)使用起來不方便,而且有不少漏洞和bug,有時候還會出現(xiàn)卡頓,因此想要還原到win10系統(tǒng),但是不知道是否可以還原,下面就跟著小編一起來操作一下吧。 …

      2022年11月22日
    • 笑死!華人推特員工陪馬斯克熬夜加班后光速被裁

      買下推特后,埃隆?馬斯克對其進(jìn)行了大刀闊斧的改革。今日早間,他還發(fā)布推文,貼出了他凌晨大約 1 點(diǎn) 30 分在推特舊金山總部與工程師們的合影。他表示剛與推特工程師們審查完代碼。正準(zhǔn)…

      2022年11月21日
    • ios16.1.1續(xù)航怎么樣 ios16.1.1耗電信號問題改善了沒

      ios系統(tǒng)雖然好用,但是它的續(xù)航信號總是被人吐槽,以至于每次系統(tǒng)升級,用戶對于信號和續(xù)航還要發(fā)熱問題都非常關(guān)心,最新推送的ios 16.1.1怎么樣呢,續(xù)航、信號及發(fā)熱改善了嗎,別…

      2022年11月21日
    • ftp端口號(ftp端口號可以自定義嗎)

      FTP端口號是21在FTP服務(wù)器中,我們往往會給不同的部門或者某個特定的用戶設(shè)置一個帳戶但是,這個賬戶有個特點(diǎn),就是其只能夠訪問自己的主目錄服務(wù)器通過這種方式來保障FTP服務(wù)上其他…

      2022年11月21日

    聯(lián)系我們

    聯(lián)系郵箱:admin#wlmqw.com
    工作時間:周一至周五,10:30-18:30,節(jié)假日休息