728x90
FTP 설정 방법
고도 쇼핑몰은 쇼핑몰에 외부 FTP 프로그램을 연결하여, 효과적인 쇼핑몰 운영이 가능합니다.

* e나무 무료형 쇼핑몰은 외부 FTP 접속이 지원되지 않습니다.
* 모든 고도 쇼핑몰은 쇼핑몰 관리자 내 webFTP를 지원합니다. * 쇼핑몰 메인계정 신청을 위해서는 대표도메인 연결이 필요합니다.
FTP란?
FTP(File Transfer Protocol)은 이용자의 PC와 쇼핑몰 호스팅 서버 간 파일을 송수신하는 프로그램을 말합니다. FTP는 파일 전송 전용 서비스이기 때문에, 많은 양의 파일을 일괄적으로 주고 받을 때 효과적입니다.

쇼핑몰에 필요한 파일이 대량이고, 빈번하게 전송이 필요한 경우 FTP를 이용하면 효율적으로 쇼핑몰을 운영할 수 있습니다.
외부 FTP 프로그램을 이용한 FTP 접속 방법
대표적인 공개 FTP 접속 프로그램인 ‘Filezilla’로 고도 쇼핑몰의 FTP 접속 방법을 알아보겠습니다.
* 외부 FTP 접속이 허용되는 고도 쇼핑몰은 ‘Filezilla’ 외 FTP 프로그램으로도 접속이 가능합니다.

1. ‘Filezilla’ 프로그램을 내려 받아 설치를 완료합니다. [공식 다운로드 페이지 바로가기]

2. 상단 메뉴 부분에 아래와 같이 입력 후, ‘빠른 연결’을 클릭합니다.
(호스트 : www를 제외한 쇼핑몰주소 | 사용자명 : FTP 아이디 | 비밀번호 : FTP 비밀번호 | 포트 : 21)

* FTP 계정정보는 [마이고도 > 쇼핑몰 관리 > 쇼핑몰 목록 > 이용 중 쇼핑몰 ‘서비스관리’ > 기본관리 > FTP 관리]에서 신청 또는 확인할 수 있습니다.

3. 연결이 완료되면 내 PC와 쇼핑몰 호스팅 간 파일 업다운로드가 가능합니다.
(로컬 사이트가 내 PC영역, 리모트 사이트가 내 쇼핑몰 호스팅 영역입니다.)
유의사항
- e나무 무료형 쇼핑몰의 경우 외부 FTP 접속이 지원되지 않습니다.(쇼핑몰 관리자 내 webFTP 사용 가능)
- FTP 접속 정보는 외부에 유출되지 않도록 유의하여 주시기 바랍니다.

© NHN godo: Corp. All rights Reserved.

위 내용은 엔에이치엔고도㈜의 저작물로, 제공되는 자료에 대한 무단 복제 및 배포를 금합니다.

728x90

jQuery를 사용해 배열을 관리하고자 할 때 each() 메서드를 사용할 수 있습니다.

each() 메서드는 매개 변수로 받은 것을 사용해 for in 반복문과 같이 배열이나 객체의 요소를 검사할 수 있는 메서드입니다.

 

 

each() 메서드는 다음과 같은 두 가지 타입이 있습니다.

javascript
// jQuery 유틸리티 메서드
$.each(object, function(index, item){

});

// jQuery 일반 메서드
$(selector).each(function(index, item){

})

 

위의 메서드를 차례로 알아보도록 하겠습니다.

 

 

$.each()

$.each() 메서드는 object 와 배열 모두에서 사용할 수 있는 일반적인 반복 함수입니다.

다시 말해, 배열과 length 속성을 갖는 배열과 유사 배열 객체들을 index를 기준으로 반복할 수 있습니다.

첫 번째 매개변수로 배열이나 객체를 받습니다.

그리고 두번째 매개변수로 콜백함수를 받으며 콜백함수의 인자로는 인덱스와 값을 인자로 갖습니다.

다음의 예제를 통해 살펴보도록 합니다.

javascript
// 객체을 선언
var arr= [
    {title : '다음', url : 'http://daum.net'},
    {title : '네이버', url : 'http://naver.com'}
];

// $.each() 메서드의 첫번째 매겨변수로 위에서 선언한 배열은 전달
$.each(arr, function (index, item) {
    // 두 번째 매개변수로는 콜백함수인데 콜백함수의 매개변수 중
    // 첫 번째 index는 배열의 인덱스 또는 객체의 키를 의미하고
    // 두 번째 매개 변수 item은 해당 인덱스나 키가 가진 값을 의미합니다.

    var result = '';

    result += index +' : ' + item.title + ', ' + item.url;

    console.log(result);

    // 0 : 다음, http://daum.net
    // 1 : 네이버, http://naver.com

})

위에서 첫 번째 매개변수에 배열을 전달했습니다. 배열을 받게 되면 콜백함수의 index, item 은 배열의 인덱스와 값을 가리키게 됩니다.

 

다음의 예제는 배열대신 객체를 전달하는 경우입니다.

javascript
// 객체를 선언
var obj = {
    daum: 'http://daum.net',
    naver: 'http://naver.com'
};

// $.each() 메서드의 첫번째 매겨변수로 위에서 선언한 객체를 전달
$.each(obj, function (index, item) {

    // 객체를 전달받으면 index는 객체의 key(property)를 가리키고
    // item은 키의 값을 가져옵니다.

    var result = '';

    result += index + ' : ' + item;

    console.log(result);

    // daum : http://daum.net
    // naver : http://naver.com

})

 

 

 

$().each()

다음과 같은 마크업이 있다고 가정해 봅니다.

html
<ul class="list">
    <li>Lorem ipsum dolor sit amet.</li>
    <li>Lorem ior sit amet.</li>
    <li>Lorem ipsum </li>
</ul>

 

$().each() 도 반복문과 비슷합니다.

javascript
$('.list li').each(function (index, item) {
    // 인덱스는 말 그대로 인덱스
    // item 은 해당 선택자인 객체를 나타냅니다.
    $(item).addClass('li_0' + index);

    // item 과 this는 같아서 일반적으로 this를 많이 사용합니다.
    // $(this).addClass('li_0' + index);
});

위 코드를 실행하면 li 의 클래스에 li_00, li_01, li_02 가 추가되어 있을 것입니다.

제이쿼리에 선택자를 넘기면 해당 선택자를 자바스크립트의 반복문과 같이 사용된다고 보면 됩니다.

출처: https://webclub.tistory.com/455 [Web Club:티스토리]

728x90
  • Hi.

    I get the following error when trying to access my newly updated webpage. it is now runing php 7.2.

    Warning: call_user_func_array() expects parameter 1 to be a valid callback, function ‘create_my_post_types’ not found or invalid function name in /home/2/l/lysefjordensjokj/www/wp-includes/class-wp-hook.php on line 286

    Warning: Cannot modify header information – headers already sent by (output started at /home/2/l/lysefjordensjokj/www/wp-includes/class-wp-hook.php:286) in /home/2/l/lysefjordensjokj/www/wp-includes/pluggable.php on line 1223

    I know nothing about any code or programming. Anyone know if this is a quick fix.

    please help, its my girlfriends business site. 

    The page I need help with: [log in to see the link]

Viewing 1 replies (of 1 total)
  • Moderator
    Steve Stern (sterndata) 

    (@sterndata)

    Forum Moderator & Support Team Rep

    You need to find out which plugin (or theme) is doing this and then look for an update.

    This may be a plugin or theme conflict. Please attempt to disable all plugins, and use one of the default (Twenty*) themes. If the problem goes away, enable them one by one to identify the source of your troubles.

    If you can install plugins, install “Health Check”: https://wordpress.org/plugins/health-check/ On the troubleshooting tab, you can click the button to disable all plugins and change the theme for you, while you’re still logged in, without affecting normal visitors to your site. You can then use its admin bar menu to turn on/off plugins and themes one at a time.

    Also, edit your wp-config.php and make sure WP_DEBUG is set to false, not true.

728x90
3

I'm trying to delete a record from the database programmatically. When I have it hardcoded like this it does delete a record from the database:

$wpdb->delete( $table_name, array( 'user_id' => 1, 'timeMin' => 10), array('%d', '%d') );

However, when I try to do it in a dynamic manner with variables, it doesn't work. I even tried casting the variables to int to make sure they are they right type.

$id = (int) wp_get_current_user()->ID;
$time = (int) $_POST['umjp_time'];

$wpdb->delete( $table_name, array( 'user_id' => $id, 'timeMin' => $time), array('%d','%d'));

Why doesn't the dynamic code using variables work and how do I fix this?

Follow
asked May 16, 2018 at 12:27
Willem van der Veen
27.8k15 gold badges162 silver badges139 bronze badges

3 Answers

                                              Highest score (default)                                                                   Trending (recent votes count more)                                                                   Date modified (newest first)                                                                   Date created (oldest first)                              
1

I tried like this and it's working for me.

global $wpdb;

$id = (int) wp_get_current_user()->ID;
$time = (int) '4';
$table_name = 'testtable';
$wpdb->show_errors(); 
$wpdb->delete( $table_name, array( 'user_id' => $id, 'timeMin' => $time), array('%d','%d'));
$wpdb->print_error();

What errors you are getting please can you explain? You can print errors by using show_errors() and print_error() methods.

Follow
answered May 16, 2018 at 13:22
Ankit Panchal
1494 bronze badges
  • 1
    This is probably the most correct solution. Those using DELETE FROM will work, but that isn't how wpdb is intended to work. A little explanation would work - the critical piece being the user of array('%d') which converts the integer appropriately. 
    – Brian C
     Jul 14, 2021 at 12:27
 
2
 

this is how I would recommend doing it:

function vendor_module_remove_dealer($data)
{
    global $wpdb;

    $sql = 'DELETE FROM `'. $wpdb->prefix .'my_table` WHERE `primary_id` = %d;';

    try {
        $wpdb->query($wpdb->prepare($sql, array($data['primary-id'])));

        return true;
    } catch (Exception $e) {
        return 'Error! '. $wpdb->last_error;
    }
}

this will prevent SQL Injection and delete your record safely, if it fails an error msg will be returned :)

Follow
answered May 16, 2018 at 13:18
treyBake
6,2876 gold badges25 silver badges54 bronze badges
-2

Please use below code i think it will work.

global $wpdb;

$id = (int) wp_get_current_user()->ID;
$time = (int) $_POST['umjp_time'];

$table_name = $wpdb->prefix . 'table_name';
if (!empty($id)) 
{

  $wpdb->query($wpdb->prepare("DELETE FROM $table_name WHERE user_id IN($id)"));

}
Follow
answered May 16, 2018 at 13:10
raju_odi
1,38112 silver badges27 bronze badges

+ Recent posts