찾다
백엔드 개발PHP 튜토리얼PHP 파일 업로드 클래스 및 예제(단일 파일 업로드, 다중 파일 업로드)

本文分享一个不错的php文件上传,可以实现单个文件的上传、多个文件的上传功能。有需要的朋友参考下吧。

1,php文件上传类

<?php 
/**
* php 文件上传类
* by bbs.it-home.org
*/
class file_upload {
 var $the_file;
 var $the_temp_file;
 var $upload_dir;
 var $replace;
 var $do_filename_check;
 var $max_length_filename = 100;
 var $extensions;
 var $ext_string;
 var $language;
 var $http_error;
 var $rename_file; // if this var is true the file copy get a new name
 var $file_copy; // the new name
 var $message = array();
 var $create_directory = true;
 
 function file_upload() {
  $this->language = "en"; // choice of en, nl, es
  $this->rename_file = false;
  $this->ext_string = "";
 }
 function show_error_string() {
  $msg_string = "";
  foreach ($this->message as $value) {
   $msg_string .= $value."<br>\n";
  }
  return $msg_string;
 }
 function set_file_name($new_name = "") { // this "conversion" is used for unique/new filenames 
  if ($this->rename_file) {
   if ($this->the_file == "") return;
   $name = ($new_name == "") ? strtotime("now") : $new_name;
   $name = $name.$this->get_extension($this->the_file);
  } else {
   $name = $this->the_file;
  }
  return $name;
 }
 function upload($to_name = "") {
  $new_name = $this->set_file_name($to_name);
  if ($this->check_file_name($new_name)) {
   if ($this->validateExtension()) {
    if (is_uploaded_file($this->the_temp_file)) {
     $this->file_copy = $new_name;
     if ($this->move_upload($this->the_temp_file, $this->file_copy)) {
      $this->message[] = $this->error_text($this->http_error);
      if ($this->rename_file) $this->message[] = $this->error_text(16);
      return true;
     }
    } else {
     $this->message[] = $this->error_text($this->http_error);
     return false;
    }
   } else {
    $this->show_extensions();
    $this->message[] = $this->error_text(11);
    return false;
   }
  } else {
   return false;
  }
 }
 function check_file_name($the_name) {
  if ($the_name != "") {
   if (strlen($the_name) > $this->max_length_filename) {
    $this->message[] = $this->error_text(13);
    return false;
   } else {
    if ($this->do_filename_check == "y") {
     if (preg_match("/^[a-z0-9_]*\.(.){1,5}$/i", $the_name)) {
      return true;
     } else {
      $this->message[] = $this->error_text(12);
      return false;
     }
    } else {
     return true;
    }
   }
  } else {
   $this->message[] = $this->error_text(10);
   return false;
  }
 }
 function get_extension($from_file) {
  $ext = strtolower(strrchr($from_file,"."));
  return $ext;
 }
 function validateExtension() {
  $extension = $this->get_extension($this->the_file);
  $ext_array = $this->extensions;
  if (in_array($extension, $ext_array)) { 
   // check mime type hier too against allowed/restricted mime types (boolean check mimetype)
   return true;
  } else {
   return false;
  }
 }
 // this method is only used for detailed error reporting
 function show_extensions() {
  $this->ext_string = implode(" ", $this->extensions);
 }
 function move_upload($tmp_file, $new_file) {
  umask(0);
  if ($this->existing_file($new_file)) {
   $newfile = $this->upload_dir.$new_file;
   if ($this->check_dir($this->upload_dir)) {
    if (move_uploaded_file($tmp_file, $newfile)) {
     if ($this->replace == "y") {
      //system("chmod 0777 $newfile"); // maybe you need to use the system command in some cases...
      chmod($newfile , 0777);
     } else {
      // system("chmod 0755 $newfile");
      chmod($newfile , 0755);
     }
     return true;
    } else {
     return false;
    }
   } else {
    $this->message[] = $this->error_text(14);
    return false;
   }
  } else {
   $this->message[] = $this->error_text(15);
   return false;
  }
 }
 function check_dir($directory) {
  if (!is_dir($directory)) {
   if ($this->create_directory) {
    umask(0);
    mkdir($directory, 0777);
    return true;
   } else {
    return false;
   }
  } else {
   return true;
  }
 }
 function existing_file($file_name) {
  if ($this->replace == "y") {
   return true;
  } else {
   if (file_exists($this->upload_dir.$file_name)) {
    return false;
   } else {
    return true;
   }
  }
 }
 function get_uploaded_file_info($name) {
  $str = "File name: ".basename($name)."\n";
  $str .= "File size: ".filesize($name)." bytes\n";
  if (function_exists("mime_content_type")) {
   $str .= "Mime type: ".mime_content_type($name)."\n";
  }
  if ($img_dim = getimagesize($name)) {
   $str .= "Image dimensions: x = ".$img_dim[0]."px, y = ".$img_dim[1]."px\n";
  }
  return $str;
 }
 // this method was first located inside the foto_upload extension
 function del_temp_file($file) {
  $delete = @unlink($file); 
  clearstatcache();
  if (@file_exists($file)) { 
   $filesys = eregi_replace("/","\\",$file); 
   $delete = @system("del $filesys");
   clearstatcache();
   if (@file_exists($file)) { 
    $delete = @chmod ($file, 0775); 
    $delete = @unlink($file); 
    $delete = @system("del $filesys");
   }
  }
 }
 // some error (HTTP)reporting, change the messages or remove options if you like.
 function error_text($err_num) {
  switch ($this->language) {
   case "nl":
   $error[0] = "Foto succesvol kopieert.";
   $error[1] = "Het bestand is te groot, controlleer de max. toegelaten bestandsgrootte.";
   $error[2] = "Het bestand is te groot, controlleer de max. toegelaten bestandsgrootte.";
   $error[3] = "Fout bij het uploaden, probeer het nog een keer.";
   $error[4] = "Fout bij het uploaden, probeer het nog een keer.";
   $error[10] = "Selecteer een bestand.";
   $error[11] = "Het zijn alleen bestanden van dit type toegestaan: <b>".$this->ext_string."</b>";
   $error[12] = "Sorry, de bestandsnaam bevat tekens die niet zijn toegestaan. Gebruik alleen nummer, letters en het underscore teken. <br>
Een geldige naam eindigt met een punt en de extensie.";
   $error[13] = "De bestandsnaam is te lang, het maximum is: ".$this->max_length_filename." teken.";
   $error[14] = "Sorry, het opgegeven directory bestaat niet!";
   $error[15] = "Uploading <b>".$this->the_file."...Fout!</b> Sorry, er is al een bestand met deze naam aanwezig.";
   $error[16] = "Het gekopieerde bestand is hernoemd naar <b>".$this->file_copy."</b>.";
   break;
   case "de":
   $error[0] = "Die Datei: <b>".$this->the_file."</b> wurde hochgeladen!"; 
   $error[1] = "Die hochzuladende Datei ist gr&ouml;&szlig;er als der Wert in der Server-Konfiguration!"; 
   $error[2] = "Die hochzuladende Datei ist gr&ouml;&szlig;er als der Wert in der Klassen-Konfiguration!"; 
   $error[3] = "Die hochzuladende Datei wurde nur teilweise &uuml;bertragen"; 
   $error[4] = "Es wurde keine Datei hochgeladen"; 
   $error[10] = "W&auml;hlen Sie eine Datei aus!."; 
   $error[11] = "Es sind nur Dateien mit folgenden Endungen erlaubt: <b>".$this->ext_string."</b>";
   $error[12] = "Der Dateiname enth&auml;lt ung&uuml;ltige Zeichen. Benutzen Sie nur alphanumerische Zeichen f&uuml;r den Dateinamen 
mit Unterstrich. <br>Ein g&uuml;ltiger Dateiname endet mit einem Punkt, gefolgt von der Endung."; 
   $error[13] = "Der Dateiname &uuml;berschreitet die maximale Anzahl von ".$this->max_length_filename." Zeichen."; 
   $error[14] = "Das Upload-Verzeichnis existiert nicht!"; 
   $error[15] = "Upload <b>".$this->the_file."...Fehler!</b> Eine Datei mit gleichem Dateinamen existiert bereits.";
   $error[16] = "Die hochgeladene Datei ist umbenannt in <b>".$this->file_copy."</b>.";
   break;
   //
   // place here the translations (if you need) from the directory "add_translations"
   //
   default:
   // start http errors
   $error[0] = "File: <b>".$this->the_file."</b> successfully uploaded!";
   $error[1] = "The uploaded file exceeds the max. upload filesize directive in the server configuration.";
   $error[2] = "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the html form.";
   $error[3] = "The uploaded file was only partially uploaded";
   $error[4] = "No file was uploaded";
   // end  http errors
   $error[10] = "Please select a file for upload.";
   $error[11] = "Only files with the following extensions are allowed: <b>".$this->ext_string."</b>";
   $error[12] = "Sorry, the filename contains invalid characters. Use only alphanumerical chars and separate parts of the
 name (if needed) with an underscore. <br>A valid filename ends with one dot followed by the extension.";
   $error[13] = "The filename exceeds the maximum length of ".$this->max_length_filename." characters.";
   $error[14] = "Sorry, the upload directory doesn't exist!";
   $error[15] = "Uploading <b>".$this->the_file."...Error!</b> Sorry, a file with this name already exitst.";
   $error[16] = "The uploaded file is renamed to <b>".$this->file_copy."</b>.";
   
  }
  return $error[$err_num];
 }
}
?>

2,单文件上传的例子:

<?php 
include ($_SERVER['DOCUMENT_ROOT']."/classes/upload/upload_class.php"); //classes is the map where the class file is stored (one above the root) 

$max_size = 1024*250; // the max. size for uploading 
     
$my_upload = new file_upload; 

$my_upload->upload_dir = $_SERVER['DOCUMENT_ROOT']."/files/new/"; // "files" is the folder for the uploaded files (you have to create this folder) 
$my_upload->extensions = array(".png", ".zip", ".pdf"); // specify the allowed extensions here 
// $my_upload->extensions = "de"; // use this to switch the messages into an other language (translate first!!!) 
$my_upload->max_length_filename = 50; // change this value to fit your field length in your database (standard 100) 
$my_upload->rename_file = true; 
         
if(isset($_POST['Submit'])) { 
    $my_upload->the_temp_file = $_FILES['upload']['tmp_name']; 
    $my_upload->the_file = $_FILES['upload']['name']; 
    $my_upload->http_error = $_FILES['upload']['error']; 
    $my_upload->replace = (isset($_POST['replace'])) ? $_POST['replace'] : "n"; // because only a checked checkboxes is true 
    $my_upload->do_filename_check = (isset($_POST['check'])) ? $_POST['check'] : "n"; // use this boolean to check for a valid filename 
    $new_name = (isset($_POST['name'])) ? $_POST['name'] : ""; 
    if ($my_upload->upload($new_name)) { // new name is an additional filename information, use this to rename the uploaded file 
        $full_path = $my_upload->upload_dir.$my_upload->file_copy; 
        $info = $my_upload->get_uploaded_file_info($full_path); 
        // ... or do something like insert the filename to the database 
    } 
} 
?>  
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> 
<html> 
<head> 
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1"> 
<title>php文件上传的例子-bbs.it-home.org</title> 
<style type="text/css"> 
<!-- 
label { 
    float:left; 
    display:block; 
    width:120px; 
} 
input { 
    float:left; 
} 
--> 
</style> 
</head> 
<body> 
<h3 id="php文件上传">php文件上传:</h3> 
<p>Max. filesize = <?php echo $max_size; ?> bytes.</p> 
<form name="form1" enctype="multipart/form-data" method="post" action="<?php echo $_SERVER['PHP_SELF']; ?>"> 
  <input type="hidden" name="MAX_FILE_SIZE" value="<?php echo $max_size; ?>"><br> 
  <label for="upload">选择文件:</label><input type="file" name="upload" size="30"><br clear="all"> 
  <label for="name">新的文件名称:</label><input type="text" name="name" size="20">  
  (without extension!) <br clear="all"> 
  <label for="replace">是否替换</label><input type="checkbox" name="replace" value="y"><br clear="all"> 
  <label for="check">验证文件名称:</label><input name="check" type="checkbox" value="y" checked><br clear="all"> 
  <input style="margin-left:120px;" type="submit" name="Submit" value="Submit"> 
</form> 
<br clear="all"> 
<p><?php echo $my_upload->show_error_string(); ?></p> 
<?php if (isset($info)) echo "<blockquote>".nl2br($info)."</blockquote>"; ?>  
</body> 
</html>

3,多文件上传的例子

<?php 
include ($_SERVER['DOCUMENT_ROOT']."/classes/upload/upload_class.php"); //classes is the map where the class file is stored (one above the root) 
//error_reporting(E_ALL); 
$max_size = 1024*100; // the max. size for uploading 

class muli_files extends file_upload { //扩展file_upload类,以实现多文件上传功能
     
    var $number_of_files = 0; 
    var $names_array; 
    var $tmp_names_array; 
    var $error_array; 
    var $wrong_extensions = 0; 
    var $bad_filenames = 0; 
     
    function extra_text($msg_num) { 
        switch ($this->language) { 
            case "de": 
            // add you translations here 
            break; 
            default: 
            $extra_msg[1] = "Error for: <b>".$this->the_file."</b>"; 
            $extra_msg[2] = "You have tried to upload ".$this->wrong_extensions." files with a bad extension, the following extensions
 are allowed: <b>".$this->ext_string."</b>"; 
            $extra_msg[3] = "Select at least on file."; 
            $extra_msg[4] = "Select the file(s) for upload."; 
            $extra_msg[5] = "You have tried to upload <b>".$this->bad_filenames." files</b> with invalid characters inside the filename."; 
        } 
        return $extra_msg[$msg_num]; 
    } 
    // this method checkes the number of files for upload 
    // this example works with one or more files 
    function count_files() { 
        foreach ($this->names_array as $test) { 
            if ($test != "") { 
                $this->number_of_files++; 
            } 
        } 
        if ($this->number_of_files > 0) { 
            return true; 
        } else { 
            return false; 
        }  
    } 
    function upload_multi_files () { 
        $this->message = ""; 
        if ($this->count_files()) { 
            foreach ($this->names_array as $key => $value) {  
                if ($value != "") { 
                    $this->the_file = $value; 
                    $new_name = $this->set_file_name(); 
                    if ($this->check_file_name($new_name)) { 
                        if ($this->validateExtension()) { 
                            $this->file_copy = $new_name; 
                            $this->the_temp_file = $this->tmp_names_array[$key]; 
                            if (is_uploaded_file($this->the_temp_file)) { 
                                if ($this->move_upload($this->the_temp_file, $this->file_copy)) { 
                                    $this->message[] = $this->error_text($this->error_array[$key]); 
                                    if ($this->rename_file) $this->message[] = $this->error_text(16); 
                                    sleep(1); // wait a seconds to get an new timestamp (if rename is set) 
                                } 
                            } else { 
                                $this->message[] = $this->extra_text(1); 
                                $this->message[] = $this->error_text($this->error_array[$key]); 
                            } 
                        } else { 
                            $this->wrong_extensions++; 
                        } 
                    } else { 
                        $this->bad_filenames++; 
                    } 
                }  
            } 
            if ($this->bad_filenames > 0) $this->message[] = $this->extra_text(5); 
            if ($this->wrong_extensions > 0) { 
                $this->show_extensions(); 
                $this->message[] = $this->extra_text(2); 
            } 
        } else { 
            $this->message[] = $this->extra_text(3); 
        } 
    } 
} 

$multi_upload = new muli_files; 

$multi_upload->upload_dir = $_SERVER['DOCUMENT_ROOT']."/files/"; // "files" is the folder for the uploaded files (you have to create this folder) 
$multi_upload->extensions = array(".png", ".zip"); // specify the allowed extensions here 
$multi_upload->message[] = $multi_upload->extra_text(4); // a different standard message for multiple files 
//$multi_upload->rename_file = true; // set to "true" if you want to rename all files with a timestamp value 
$multi_upload->do_filename_check = "y"; // check filename ... 
         
if(isset($_POST['Submit'])) { 
    $multi_upload->tmp_names_array = $_FILES['upload']['tmp_name']; 
    $multi_upload->names_array = $_FILES['upload']['name']; 
    $multi_upload->error_array = $_FILES['upload']['error']; 
    $multi_upload->replace = (isset($_POST['replace'])) ? $_POST['replace'] : "n"; // because only a checked checkboxes is true 
    $multi_upload->upload_multi_files(); 
} 
?>  
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> 
<html> 
<head> 
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1"> 
<title>php多文件上传的例子-bbs.it-home.org</title> 
<style type="text/css"> 
<!-- 
label { 
    width: 80px; 
} 
input { 
    margin-bottom:3px; 
    margin-left:5px; 
} 
--> 
</style> 
</head> 

<body> 
<h3 id="PHP-多文件上传">PHP 多文件上传:</h3> 
<p>Max. filesize = <?php echo $max_size; ?> bytes. (each) </p> 
<form name="form1" enctype="multipart/form-data" method="post" action="<?php echo $_SERVER['PHP_SELF']; ?>"> 
  <input type="hidden" name="MAX_FILE_SIZE" value="<?php echo $max_size; ?>"> 
  <label for="upload[]">File 1:</label> 
  <input type="file" name="upload[]" size="30"><br> 
  <label for="upload[]">File 2:</label> 
  <input type="file" name="upload[]" size="30"><br> 
  <label for="upload[]">File 3:</label> 
  <input type="file" name="upload[]" size="30"><br> 
  <!-- Add here more file fields if you need. --> 
  Replace files?  
  <input type="checkbox" name="replace" value="y"> 
  <input type="submit" name="Submit" value="上传文件"> 
</form> 
<p><?php echo $multi_upload->show_error_string(); ?></p> 
</body> 
</html>


성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
PHP vs. Python : 차이점 이해PHP vs. Python : 차이점 이해Apr 11, 2025 am 12:15 AM

PHP와 Python은 각각 고유 한 장점이 있으며 선택은 프로젝트 요구 사항을 기반으로해야합니다. 1.PHP는 간단한 구문과 높은 실행 효율로 웹 개발에 적합합니다. 2. Python은 간결한 구문 및 풍부한 라이브러리를 갖춘 데이터 과학 및 기계 학습에 적합합니다.

PHP : 죽어 가거나 단순히 적응하고 있습니까?PHP : 죽어 가거나 단순히 적응하고 있습니까?Apr 11, 2025 am 12:13 AM

PHP는 죽지 않고 끊임없이 적응하고 진화합니다. 1) PHP는 1994 년부터 새로운 기술 트렌드에 적응하기 위해 여러 버전 반복을 겪었습니다. 2) 현재 전자 상거래, 컨텐츠 관리 시스템 및 기타 분야에서 널리 사용됩니다. 3) PHP8은 성능과 현대화를 개선하기 위해 JIT 컴파일러 및 기타 기능을 소개합니다. 4) Opcache를 사용하고 PSR-12 표준을 따라 성능 및 코드 품질을 최적화하십시오.

PHP의 미래 : 적응 및 혁신PHP의 미래 : 적응 및 혁신Apr 11, 2025 am 12:01 AM

PHP의 미래는 새로운 기술 트렌드에 적응하고 혁신적인 기능을 도입함으로써 달성 될 것입니다. 1) 클라우드 컴퓨팅, 컨테이너화 및 마이크로 서비스 아키텍처에 적응, Docker 및 Kubernetes 지원; 2) 성능 및 데이터 처리 효율을 향상시키기 위해 JIT 컴파일러 및 열거 유형을 도입합니다. 3) 지속적으로 성능을 최적화하고 모범 사례를 홍보합니다.

PHP의 초록 클래스 또는 인터페이스에 대한 특성과 언제 특성을 사용 하시겠습니까?PHP의 초록 클래스 또는 인터페이스에 대한 특성과 언제 특성을 사용 하시겠습니까?Apr 10, 2025 am 09:39 AM

PHP에서, 특성은 방법 재사용이 필요하지만 상속에 적합하지 않은 상황에 적합합니다. 1) 특성은 클래스에서 다중 상속의 복잡성을 피할 수 있도록 수많은 방법을 허용합니다. 2) 특성을 사용할 때는 대안과 키워드를 통해 해결할 수있는 방법 충돌에주의를 기울여야합니다. 3) 성능을 최적화하고 코드 유지 보수성을 향상시키기 위해 특성을 과도하게 사용해야하며 단일 책임을 유지해야합니다.

DIC (Dependency Injection Container) 란 무엇이며 PHP에서 사용하는 이유는 무엇입니까?DIC (Dependency Injection Container) 란 무엇이며 PHP에서 사용하는 이유는 무엇입니까?Apr 10, 2025 am 09:38 AM

의존성 주입 컨테이너 (DIC)는 PHP 프로젝트에 사용하기위한 객체 종속성을 관리하고 제공하는 도구입니다. DIC의 주요 이점에는 다음이 포함됩니다. 1. 디커플링, 구성 요소 독립적 인 코드는 유지 관리 및 테스트가 쉽습니다. 2. 유연성, 의존성을 교체 또는 수정하기 쉽습니다. 3. 테스트 가능성, 단위 테스트를 위해 모의 객체를 주입하기에 편리합니다.

SPL SplfixedArray 및 일반 PHP 어레이에 비해 성능 특성을 설명하십시오.SPL SplfixedArray 및 일반 PHP 어레이에 비해 성능 특성을 설명하십시오.Apr 10, 2025 am 09:37 AM

SplfixedArray는 PHP의 고정 크기 배열로, 고성능 및 메모리 사용이 필요한 시나리오에 적합합니다. 1) 동적 조정으로 인한 오버 헤드를 피하기 위해 생성 할 때 크기를 지정해야합니다. 2) C 언어 배열을 기반으로 메모리 및 빠른 액세스 속도를 직접 작동합니다. 3) 대규모 데이터 처리 및 메모리에 민감한 환경에 적합하지만 크기가 고정되어 있으므로주의해서 사용해야합니다.

PHP는 파일 업로드를 어떻게 단단히 처리합니까?PHP는 파일 업로드를 어떻게 단단히 처리합니까?Apr 10, 2025 am 09:37 AM

PHP는 $ \ _ 파일 변수를 통해 파일 업로드를 처리합니다. 보안을 보장하는 방법에는 다음이 포함됩니다. 1. 오류 확인 확인, 2. 파일 유형 및 크기 확인, 3 파일 덮어 쓰기 방지, 4. 파일을 영구 저장소 위치로 이동하십시오.

Null Coalescing 연산자 (??) 및 Null Coalescing 할당 연산자 (?? =)은 무엇입니까?Null Coalescing 연산자 (??) 및 Null Coalescing 할당 연산자 (?? =)은 무엇입니까?Apr 10, 2025 am 09:33 AM

JavaScript에서는 NullCoalescingOperator (??) 및 NullCoalescingAssignmentOperator (?? =)를 사용할 수 있습니다. 1. 2. ??= 변수를 오른쪽 피연산자의 값에 할당하지만 변수가 무효 또는 정의되지 않은 경우에만. 이 연산자는 코드 로직을 단순화하고 가독성과 성능을 향상시킵니다.

See all articles

핫 AI 도구

Undresser.AI Undress

Undresser.AI Undress

사실적인 누드 사진을 만들기 위한 AI 기반 앱

AI Clothes Remover

AI Clothes Remover

사진에서 옷을 제거하는 온라인 AI 도구입니다.

Undress AI Tool

Undress AI Tool

무료로 이미지를 벗다

Clothoff.io

Clothoff.io

AI 옷 제거제

AI Hentai Generator

AI Hentai Generator

AI Hentai를 무료로 생성하십시오.

인기 기사

R.E.P.O. 에너지 결정과 그들이하는 일 (노란색 크리스탈)
3 몇 주 전By尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. 최고의 그래픽 설정
3 몇 주 전By尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. 아무도들을 수없는 경우 오디오를 수정하는 방법
3 몇 주 전By尊渡假赌尊渡假赌尊渡假赌
WWE 2K25 : Myrise에서 모든 것을 잠금 해제하는 방법
3 몇 주 전By尊渡假赌尊渡假赌尊渡假赌

뜨거운 도구

SublimeText3 Mac 버전

SublimeText3 Mac 버전

신 수준의 코드 편집 소프트웨어(SublimeText3)

SublimeText3 중국어 버전

SublimeText3 중국어 버전

중국어 버전, 사용하기 매우 쉽습니다.

스튜디오 13.0.1 보내기

스튜디오 13.0.1 보내기

강력한 PHP 통합 개발 환경

메모장++7.3.1

메모장++7.3.1

사용하기 쉬운 무료 코드 편집기

Eclipse용 SAP NetWeaver 서버 어댑터

Eclipse용 SAP NetWeaver 서버 어댑터

Eclipse를 SAP NetWeaver 애플리케이션 서버와 통합합니다.