Как редактировать форму обратной связи на битрикс?(Добавление полей в форме обратной связи на битриксе).

Как редактировать форму обратной связи на битрикс?(Добавление полей в форме обратной связи на битриксе)

Часто приходится использовать форму обратной связи в редакии «Старт». Можно сделать свою без всяких компонентов, а просто кодом, но иногда достаточно использовать стандартную форму обратной связи, добавив или изменив нужные поля.

Данный материал описывает добавление одного поля в форму из страндартного комлекта Битрикса «Старт».

Сначала нужно создать свое пространство имен, чтобы обновления не затирали наши изменения, нужно стараться это делать обязательно.

1. Создаем в /bitrix/components/ свою папку, например, /dapit/.

2. В вновь созданную папку /dapit/ копируем из папки /bitrix/components/bitrix/ папку /main.feedback/.

3. Далее создаем папку /dapit/ для шаблонов с новым пространством имен в /bitrix/templates/ваш_шаблон/components/.

4. Создаем в ней папку шаблона /main.feedback/ и копируем в нее все файлы отсюда /components/dapit/main.feedback/templates/.default.

5. Правим файл template.php уже из папки /components/dapit/main.feedback/templates/main.feedback/, добавляя в него одно поле, например, «Удобное время для звонка». За основу берем поле «Имя».

На его основе создаем еще одно, прописываме новые значения и вставляем где нужно, наприме сразу по полем имя и у нас получтся следующее:

……Выше код мы не трогали……

<div>
<div>
<?=GetMessage(«MFT_NAME»)?><?if(empty($arParams[«REQUIRED_FIELDS»]) || in_array(«NAME», $arParams[«REQUIRED_FIELDS»])):?><span>*</span><?endif?>
</div>
<input type=»text» name=»user_name» value=»<?=$arResult[«AUTHOR_NAME»]?>»>
</div>

<div>
<div>
<?=GetMessage(«MFT_TIME»)?><?if(empty($arParams[«REQUIRED_FIELDS»]) || in_array(«TIME», $arParams[«REQUIRED_FIELDS»])):?><span>*</span><?endif?>
</div>
<input type=»text» name=»time» value=»<?=$arResult[«TIME»]?>»>
</div>

……Ниже код мы не трогали……

6. Изменяем файл /bitrix/templates/ваш_шаблог/components/dapit/main.feedback/forma/lang/ru/template.php добавили одну строку с MFT_TIME

<?
$MESS [‘MFT_NAME’] = «Ваше имя»;
$MESS [‘MFT_TIME’] = «Удобное время для звонка»;
$MESS [‘MFT_EMAIL’] = «Ваш E-mail»;
$MESS [‘MFT_MESSAGE’] = «Сообщение»;
$MESS [‘MFT_CAPTCHA’] = «Защита от автоматических сообщений»;
$MESS [‘MFT_CAPTCHA_CODE’] = «Введите слово на картинке»;
$MESS [‘MFT_SUBMIT’] = «Отправить»;
?>

Шаблон готов.

7. Теперь самое сложное, это оставшаяся кастомизация компонента в /bitrix/components/dapit/main.feedback/component.php. Тут я приведу сразу готовый код измененного стандатного файла. Везде где есть слово time или TIME, это то, что добавилось в нем.

<?
if(!defined(«B_PROLOG_INCLUDED»)||B_PROLOG_INCLUDED!==true)die();
$arParams[«USE_CAPTCHA»] = (($arParams[«USE_CAPTCHA»] != «N» && !$USER->IsAuthorized()) ? «Y» : «N»);
$arParams[«EVENT_NAME»] = trim($arParams[«EVENT_NAME»]);
if(strlen($arParams[«EVENT_NAME»]) <= 0)
$arParams[«EVENT_NAME»] = «FEEDBACK_FORM»;
$arParams[«EMAIL_TO»] = trim($arParams[«EMAIL_TO»]);
if(strlen($arParams[«EMAIL_TO»]) <= 0)
$arParams[«EMAIL_TO»] = COption::GetOptionString(«main», «email_from»);

$arParams[«EVENT_TIME»] = trim($arParams[«EVENT_TIME»]);

if(strlen($arParams[«EVENT_TIME»]) <= 0)

$arParams[«EVENT_TIME»] = «FEEDBACK_FORM»;
$arParams[«OK_TEXT»] = trim($arParams[«OK_TEXT»]);
if(strlen($arParams[«OK_TEXT»]) <= 0)
$arParams[«OK_TEXT»] = GetMessage(«MF_OK_MESSAGE»);
if($_SERVER[«REQUEST_METHOD»] == «POST» && strlen($_POST[«submit»]) > 0)
{
if(check_bitrix_sessid())
{
if(empty($arParams[«REQUIRED_FIELDS»]) || !in_array(«NONE», $arParams[«REQUIRED_FIELDS»]))
{
if((empty($arParams[«REQUIRED_FIELDS»]) || in_array(«NAME», $arParams[«REQUIRED_FIELDS»])) && strlen($_POST[«user_name»]) <= 1)
$arResult[«ERROR_MESSAGE»][] = GetMessage(«MF_REQ_NAME»);
if((empty($arParams[«REQUIRED_FIELDS»]) || in_array(«EMAIL», $arParams[«REQUIRED_FIELDS»])) && strlen($_POST[«user_email»]) <= 1)
$arResult[«ERROR_MESSAGE»][] = GetMessage(«MF_REQ_EMAIL»);
if((empty($arParams[«REQUIRED_FIELDS»]) || in_array(«MESSAGE», $arParams[«REQUIRED_FIELDS»])) && strlen($_POST[«MESSAGE»]) <= 3)
$arResult[«ERROR_MESSAGE»][] = GetMessage(«MF_REQ_MESSAGE»);
}
if(strlen($_POST[«user_email»]) > 1 && !check_email($_POST[«user_email»]))
$arResult[«ERROR_MESSAGE»][] = GetMessage(«MF_EMAIL_NOT_VALID»);
if($arParams[«USE_CAPTCHA»] == «Y»)
{
include_once($_SERVER[«DOCUMENT_ROOT»].»/bitrix/modules/main/classes/general/captcha.php»);
$captcha_code = $_POST[«captcha_sid»];
$captcha_word = $_POST[«captcha_word»];
$cpt = new CCaptcha();
$captchaPass = COption::GetOptionString(«main», «captcha_password», «»);
if (strlen($captcha_word) > 0 && strlen($captcha_code) > 0)
{
if (!$cpt->CheckCodeCrypt($captcha_word, $captcha_code, $captchaPass))
$arResult[«ERROR_MESSAGE»][] = GetMessage(«MF_CAPTCHA_WRONG»);
}
else
$arResult[«ERROR_MESSAGE»][] = GetMessage(«MF_CAPTHCA_EMPTY»);
}
if(empty($arResult))
{
$arFields = Array(
«AUTHOR» => $_POST[«user_name»],
«AUTHOR_EMAIL» => $_POST[«user_email»],
«TIME» => $_POST[«time»],
«EMAIL_TO» => $arParams[«EMAIL_TO»],
«TEXT» => $_POST[«MESSAGE»],
);
if(!empty($arParams[«EVENT_MESSAGE_ID»]))
{
foreach($arParams[«EVENT_MESSAGE_ID»] as $v)
if(IntVal($v) > 0)
CEvent::Send($arParams[«EVENT_NAME»], SITE_ID, $arFields, «N», IntVal($v));
}
else
CEvent::Send($arParams[«EVENT_NAME»], SITE_ID, $arFields);
$_SESSION[«MF_NAME»] = htmlspecialcharsEx($_POST[«user_name»]);
$_SESSION[«MF_EMAIL»] = htmlspecialcharsEx($_POST[«user_email»]);
$_SESSION[«MF_TIME»] = htmlspecialcharsEx($_POST[«time»]);
LocalRedirect($APPLICATION->GetCurPageParam(«success=Y», Array(«success»)));
}
$arResult[«MESSAGE»] = htmlspecialcharsEx($_POST[«MESSAGE»]);
$arResult[«AUTHOR_NAME»] = htmlspecialcharsEx($_POST[«user_name»]);
$arResult[«AUTHOR_EMAIL»] = htmlspecialcharsEx($_POST[«user_email»]);
$arResult[«TIME»] = htmlspecialcharsEx($_POST[«time»]);
}
else
$arResult[«ERROR_MESSAGE»][] = GetMessage(«MF_SESS_EXP»);
}
elseif($_REQUEST[«success»] == «Y»)
{
$arResult[«OK_MESSAGE»] = $arParams[«OK_TEXT»];
}
if(empty($arResult[«ERROR_MESSAGE»]))
{
if($USER->IsAuthorized())
{
$arResult[«AUTHOR_NAME»] = htmlspecialcharsEx($USER->GetFullName());
$arResult[«AUTHOR_EMAIL»] = htmlspecialcharsEx($USER->GetEmail());
$arResult[«TIME»] = htmlspecialcharsEx($USER->GetEmail());
}
else
{
if(strlen($_SESSION[«MF_NAME»]) > 0)
$arResult[«AUTHOR_NAME»] = htmlspecialcharsEx($_SESSION[«MF_NAME»]);
if(strlen($_SESSION[«MF_EMAIL»]) > 0)
$arResult[«AUTHOR_EMAIL»] = htmlspecialcharsEx($_SESSION[«MF_EMAIL»]);
if(strlen($_SESSION[«MF_TIME»]) > 0)

$arResult[«TIME»] = htmlspecialcharsEx($_SESSION[«MF_TIME»]);
}
}
if($arParams[«USE_CAPTCHA»] == «Y»)
$arResult[«capCode»] = htmlspecialchars($APPLICATION->CaptchaGetCode());
$this->IncludeComponentTemplate();
?>

8. Изменяем языковой файл /bitrix/components/dapit/main.feedback/lang/ru/.parameters.php, опять же добавили лишь одну строку с TIME.

<?
$MESS [‘MFP_CAPTCHA’] = «Использовать защиту от автоматических сообщений (CAPTCHA) для неавторизованных пользователей»;
$MESS [‘MFP_OK_MESSAGE’] = «Сообщение, выводимое пользователю после отправки»;
$MESS [‘MFP_OK_TEXT’] = «Спасибо, ваше сообщение принято.»;
$MESS [‘MFP_EMAIL_TO’] = «E-mail, на который будет отправлено письмо»;
$MESS [‘MFP_REQUIRED_FIELDS’] = «Обязательные поля для заполнения»;
$MESS [‘MFP_ALL_REQ’] = «(все необязательные)»;
$MESS [‘MFP_NAME’] = «Имя»;
$MESS [‘MFP_TIME’] = «Удобное время для звонка»;
$MESS [‘MFP_MESSAGE’] = «Сообщение»;
$MESS [‘MFP_EMAIL_TEMPLATES’] = «Почтовые шаблоны для отправки письма»;
?>

9. Напоследок заходим в Административной части Настройки —> Настройки продукта —> Почтовые события —> Почтовые шаблоны в «Отправка сообщения через форму обратной связи» и вставляем там наше поле TIME:

Информационное сообщение сайта #SITE_NAME#
——————————————

Вам было отправлено сообщение через форму обратной связи

Автор: #AUTHOR#
E-mail автора: #AUTHOR_EMAIL#
Удобное время для звонка: #TIME#

Текст сообщения:
#TEXT#

Сообщение сгенерировано автоматически.

Если я ничего не упустил, то теперь все должно получиться и работать.

Как редактировать форму обратной связи на битрикс?(Добавление полей в форме обратной связи на битриксе).

93 мыслей о “Как редактировать форму обратной связи на битрикс?(Добавление полей в форме обратной связи на битриксе).

  • 09.02.2013 в 01:11
    Permalink

    Короче я битрикс в рот бомбил!!!

  • 09.04.2013 в 22:35
    Permalink

    Александр, главное разобраться, и у вас все получится!

  • 17.05.2013 в 12:48
    Permalink

    Подскажите как поменять почту в форме обратной связи если в почтовых событиях кодировка?
    Я начинающий пользователь и не могу никак разобраться

  • 17.05.2013 в 14:59
    Permalink

    Почту можно поменять в настройках компонента или напрямую прописать в месте где выводится компонент обратной связи через php-редактирование

  • 21.04.2023 в 08:51
    Permalink

    Здравствуйте, моё имя Александра. Заинтересовал Ваш сайт, хотелось бы сотрудничать на взаимовыгодных условиях. А именно, купить пару-тройку (возможно и больше) статей со ссылкой на наши ресурсы. Подскажите, какие у Вас требования к публикациям?
    Жду Ваш ответ на aleksandraborovaa4@gmail.com!

  • 26.04.2023 в 09:32
    Permalink

    Получайте деньги легко зарабатвая на телефоне , решая легкие задания!

    У каждого из вас есть доступная возможность получить, как дополнительный заработок, так и работу дома!
    С Profittask Вы можете зарабатывать до 1000 руб. в день, выполнив простые задания, находясь в своей квартире с доступом в интернет!

    Чтобы создать легкий интернет заработок, вам необходимо всего лишь [b][url=https://profittask.com/?from=4102/]скачать небольшую программу[/url][/b] и начать зарабатывать уже сейчас!
    Поверьте это легко, просто и доступно каждому — без вложений и специальных навыков попробуйте у вас непременно получится!
    [url=https://profittask.com/?from=4102]заработок в интернете за просмотр видео[/url]

  • 08.05.2023 в 00:04
    Permalink

    будем посмотреть

    ——-
    [url=https://msk.modulboxpro.ru/arenda/]https://msk.modulboxpro.ru/arenda/[/url]

    Я извиняюсь, но, по-моему, Вы не правы. Я уверен. Могу это доказать. Пишите мне в PM, пообщаемся.

    ——-
    [url=https://piterskie-zametki.ru/225042]https://piterskie-zametki.ru/225042[/url]

    А еще варианты?

    ——-
    [url=https://gurava.ru/geocities/43/%D0%91%D0%BE%D0%B4%D0%B0%D0%B9%D0%B1%D0%BE?property_type=1&purpose_type=1]https://gurava.ru/geocities/43/%D0%91%D0%BE%D0%B4%D0%B0%D0%B9%D0%B1%D0%BE?property_type=1&purpose_type=1[/url]

    Это не более чем условность

    ——-
    [url=https://portotecnica.su/product/show/id/2074/]https://portotecnica.su/product/show/id/2074/[/url]

    Совершенно верно! Идея отличная, поддерживаю.

    ——-
    [url=https://opt24.store/product-category/napitki/rastvorimye_napitki/]https://opt24.store/product-category/napitki/rastvorimye_napitki/[/url]

    Я извиняюсь, но, по-моему, Вы не правы. Могу отстоять свою позицию. Пишите мне в PM, обсудим.

    ——-
    [url=https://xn--80adbhccsco0ahgdgbcre0b.xn--p1acf/]каркасно щитовые дома в сочи проекты[/url]

    Большое спасибо за информацию, теперь я не допущу такой ошибки.

    ——-
    [url=https://xn--80aakfajgcdf8bbqzbrl1h3d.xn--p1ai/]отделка квартир сочи[/url]

    Все фоты просто отпад

    ——-
    [url=https://venro.ru/]Накрутить просмотры инстаграм[/url]

    Буду знать, большое спасибо за информацию.

    ——-
    [url=https://venro.ru/]https://venro.ru/[/url]

    Извиняюсь, но не могли бы Вы дать больше информации.

    ——-
    [url=https://eldoradovcf.xyz/]https://eldoradovcf.xyz/[/url]

  • 09.05.2023 в 15:05
    Permalink

    Прелестное сообщение

    ——-
    [url=https://msk.modulboxpro.ru/arenda/]https://msk.modulboxpro.ru/arenda/[/url]

    Эта блестящая фраза придется как раз кстати

    ——-
    [url=https://piterskie-zametki.ru/225467]https://piterskie-zametki.ru/225467[/url]

    всем боятся он опасен…я ухожу!!!!!!!

    ——-
    [url=https://gurava.ru/geocities/53/%D0%A1%D0%B5%D1%80%D0%B0%D1%84%D0%B8%D0%BC%D0%BE%D0%B2%D0%B8%D1%87?property_type=1&purpose_type=2]https://gurava.ru/geocities/53/%D0%A1%D0%B5%D1%80%D0%B0%D1%84%D0%B8%D0%BC%D0%BE%D0%B2%D0%B8%D1%87?property_type=1&purpose_type=2[/url]

    молодец

    ——-
    [url=https://portotecnica.su/category/show/id/115/]https://portotecnica.su/category/show/id/115/[/url]

    Извините, что я Вас прерываю.

    ——-
    [url=https://opt24.store/product-category/marmelad/]https://opt24.store/product-category/marmelad/[/url]

    Оххх буду зубрить новый талант

    ——-
    [url=https://xn--80adbhccsco0ahgdgbcre0b.xn--p1acf/]проектирование водоснабжения в сочи[/url]

    та ну их

    ——-
    [url=https://xn--80aakfajgcdf8bbqzbrl1h3d.xn--p1ai/]согласование перепланировки сочи[/url]

    Вы не правы. Предлагаю это обсудить. Пишите мне в PM, поговорим.

    ——-
    [url=https://venro.ru/]накрутка просмотров в инсте[/url]

    Замечательно, это забавный ответ

    ——-
    [url=https://venro.ru/]https://venro.ru/[/url]

    Какие слова… супер, замечательная идея

    ——-
    [url=https://eldoradovcf.xyz/]https://eldoradovcf.xyz/[/url]

  • 14.05.2023 в 13:09
    Permalink

    Да ладно вам , выдумано — не выдумано , всё рано смешно

  • 18.05.2023 в 15:15
    Permalink

    понравилось ОДОБРЯЕМ!!!!!!!!!!!

  • 24.05.2023 в 02:23
    Permalink

    Авторитетная точка зрения, познавательно..

  • 04.06.2023 в 08:33
    Permalink

    I go to see day-to-day some web sites and blogs to read articles, except this web site provides quality based posts.

  • 07.06.2023 в 19:25
    Permalink

    I love your blog.. very nice colors & theme. Did you create this
    website yourself or did you hire someone to do it for you?
    Plz answer back as I’m looking to construct my own blog and would like
    to find out where u got this from. appreciate it

  • 08.06.2023 в 09:24
    Permalink

    This is the right website for anyone who would like to understand this topic.
    You understand a whole lot its almost tough to argue with you (not that I actually would want to…HaHa).

    You certainly put a new spin on a topic that’s been written about for many years.
    Excellent stuff, just excellent!

  • 08.06.2023 в 11:50
    Permalink

    Hello, i feel that i saw you visited my site thus i came to go back the want?.I’m trying to in finding
    things to improve my website!I suppose its good enough to use some of your ideas!!

  • 08.06.2023 в 13:17
    Permalink

    Do you have a spam problem on this site; I also am a blogger, and I
    was wanting to know your situation; many of us have created some nice procedures and we are looking to exchange techniques with others,
    be sure to shoot me an email if interested.

  • 08.06.2023 в 22:42
    Permalink

    Its such as you learn my mind! You seem to grasp a lot about this, such as you wrote the ebook
    in it or something. I believe that you just could do with some % to pressure the message home a bit, however instead of that, that is great
    blog. An excellent read. I will definitely be back.

  • 16.06.2023 в 06:07
    Permalink

    Amazing blog! Do you have any helpful hints for aspiring writers?
    I’m planning to start my own website soon but I’m a little lost on everything.
    Would you propose starting with a free platform like WordPress or go for a paid option? There are
    so many choices out there that I’m completely confused .. Any ideas?
    Kudos!

  • 16.06.2023 в 08:11
    Permalink

    You could certainly see your expertise within the work you write.
    The world hopes for even more passionate writers such as you who are not afraid to mention how they believe.
    All the time go after your heart.

  • 16.06.2023 в 10:59
    Permalink

    Appreciation to my father who informed me concerning
    this weblog, this weblog is actually awesome.

  • 21.06.2023 в 06:47
    Permalink

    Greetings from Colorado! I’m bored at work so I decided to browse your blog on my iphone during lunch
    break. I really like the information you present here and can’t wait
    to take a look when I get home. I’m shocked at how fast
    your blog loaded on my mobile .. I’m not even using WIFI,
    just 3G .. Anyways, very good blog!

  • 21.06.2023 в 10:20
    Permalink

    А я беру одежду вот тут, цены меньше намного меньше
    чем в магазинах!!

  • 26.06.2023 в 20:22
    Permalink

    I do agree with all the ideas you’ve presented for your post.

    They’re really convincing and will certainly work.
    Nonetheless, the posts are too short for novices. May you please
    extend them a little from subsequent time? Thank you for
    the post.

  • 27.06.2023 в 06:45
    Permalink

    Does your website have a contact page? I’m having trouble locating it but, I’d like to shoot you an e-mail.
    I’ve got some suggestions for your blog you might be interested in hearing.
    Either way, great site and I look forward to seeing it
    expand over time.

  • 27.06.2023 в 12:32
    Permalink

    Hi there, just became aware of your blog through Google, and found that it’s truly informative.
    I’m gonna watch out for brussels. I will appreciate if you continue this in future.
    Many people will be benefited from your writing. Cheers!

  • 27.06.2023 в 12:38
    Permalink

    Greetings! Very useful advice in this particular article!

    It is the little changes that make the greatest changes.
    Thanks for sharing!

  • 28.06.2023 в 03:13
    Permalink

    Hey would you mind stating which blog platform you’re using?
    I’m looking to start my own blog in the near future but I’m having a difficult time choosing between BlogEngine/Wordpress/B2evolution and Drupal.

    The reason I ask is because your design and style seems different
    then most blogs and I’m looking for something
    unique. P.S Sorry for getting off-topic but I had to ask!

  • 28.06.2023 в 11:52
    Permalink

    Как элемент брендинга работает на отсроченную продажу — закрепление образа торговой марки в сознании потребителя или просто создание нужного имиджа товару, услуге,
    компании, человеку, идее.

  • 29.06.2023 в 00:34
    Permalink

    Для электрических сетей и электроустановок напряжением 6 кВ ограничители перенапряжений исполнения УХЛ1 выпускаются со значениями
    зарядов пропускной способности от 0,
    6 до 1, 4 Кулона.

  • 02.07.2023 в 01:25
    Permalink

    I love what you guys are up too. This type of clever work and
    coverage! Keep up the terrific works guys I’ve added you guys to my personal blogroll.

  • 02.07.2023 в 06:55
    Permalink

    you are actually a excellent webmaster. The web site loading velocity is amazing.

    It sort of feels that you’re doing any distinctive trick.
    Also, The contents are masterpiece. you’ve done a magnificent process on this
    topic!

  • 02.07.2023 в 07:06
    Permalink

    Pretty nice post. I just stumbled upon your weblog and wished to mention that
    I have truly loved surfing around your blog posts. In any case
    I will be subscribing to your feed and I hope you write again very soon!

  • 03.07.2023 в 06:51
    Permalink

    Hi i am kavin, its my first occasion to commenting anyplace, when i read this piece of writing i thought i could also make comment due to this brilliant post.

  • 04.07.2023 в 01:23
    Permalink

    Цена ОПН ниже заводской, покупая ограничители в
    комплексе с другим оборудованием Вы можете хорошо заработать.

  • 11.07.2023 в 03:52
    Permalink

    I am extremely impressed with your writing skills as
    well as with the layout on your weblog. Is this a paid theme or did you modify it yourself?

    Anyway keep up the excellent quality writing, it’s rare to see a nice blog like this one nowadays.

  • 12.07.2023 в 15:48
    Permalink

    У нас ишачат наиболее наторелые умелицы, ба наши мастерские укомплектованы самым сегодняшним и высококлассным диагностическим.

  • 14.07.2023 в 21:46
    Permalink

    You’re so cool! I don’t think I’ve read something like this before.
    So wonderful to find somebody with some genuine thoughts on this subject.
    Really.. thank you for starting this up. This website is something that
    is needed on the internet, someone with a little originality!

  • 16.07.2023 в 16:32
    Permalink

    If you desire to grow your experience simply keep visiting this web site
    and be updated with the hottest news posted here.

  • 16.07.2023 в 18:12
    Permalink

    Thanks for another fantastic post. Where else could anyone get
    that kind of information in such an ideal manner of writing?
    I’ve a presentation subsequent week, and I am on the look for such info.

  • 17.07.2023 в 02:17
    Permalink

    Quality content is the important to interest the visitors
    to visit the web page, that’s what this site is providing.

  • 17.07.2023 в 04:58
    Permalink

    What’s up i am kavin, its my first occasion to commenting anyplace, when i read this
    paragraph i thought i could also create comment due to this sensible piece
    of writing.

  • 17.07.2023 в 08:18
    Permalink

    What’s up, I check your blog regularly. Your humoristic style is witty, keep doing what
    you’re doing!

  • 18.07.2023 в 01:34
    Permalink

    I’ve learn a few excellent stuff here. Certainly worth bookmarking
    for revisiting. I wonder how much effort you
    put to make this sort of great informative website.

  • 18.07.2023 в 03:08
    Permalink

    I have been browsing online more than three hours today, yet I never found any
    interesting article like yours. It is pretty worth enough for
    me. Personally, if all site owners and bloggers made
    good content as you did, the net will be much more useful than ever before.

  • 20.07.2023 в 04:15
    Permalink

    hey there and thank you for your info – I have definitely
    picked up anything new from right here. I did however expertise several technical points using this web site, as I experienced to reload the site many times previous to I
    could get it to load properly. I had been wondering if your web hosting is OK?
    Not that I’m complaining, but slow loading instances times
    will sometimes affect your placement in google and
    can damage your high quality score if ads and marketing with Adwords.
    Well I’m adding this RSS to my e-mail and could look out for much more of your respective interesting content.
    Make sure you update this again soon.

  • 20.07.2023 в 13:29
    Permalink

    Hello! I just wish to give you a big thumbs up for your excellent information you have right here on this post.
    I am coming back to your site for more soon.

  • 23.07.2023 в 06:30
    Permalink

    This is the right webpage for anyone who wants
    to understand this topic. You know so much its almost tough to argue with you (not that I personally
    would want to…HaHa). You certainly put a brand new spin on a topic that’s been discussed for a long time.
    Great stuff, just excellent!

  • 24.07.2023 в 04:39
    Permalink

    This is the perfect site for anybody who wants to understand this
    topic. You understand so much its almost hard to argue with you (not that I personally would want to…HaHa).
    You definitely put a fresh spin on a subject which has been written about for years.
    Great stuff, just excellent!

  • 28.07.2023 в 03:28
    Permalink

    Благодаря такому покрытию, у
    траверсы значительно повышается срок эксплуатации.

  • 28.07.2023 в 19:20
    Permalink

    I’m gone to convey my little brother, that he should also pay a quick
    visit this web site on regular basis to take updated from most up-to-date information.

  • 01.08.2023 в 06:35
    Permalink

    Hello just wanted to give you a brief heads up and let you know a few of the images aren’t loading properly.
    I’m not sure why but I think its a linking issue. I’ve tried it
    in two different web browsers and both show the same outcome.

  • 02.08.2023 в 23:10
    Permalink

    What sort of car is it? While it isn’t a contest, these
    occasions set the bar for what is predicted from check drivers.
    Which of the following is true concerning the car used
    to train Ford check drivers at the Tier four stage?

  • 05.08.2023 в 06:33
    Permalink

    Приобрести такие изделия предлагаем у производителя «Завод Резервуаров
    и Негабаритных Металлоконструкций».

  • 07.08.2023 в 07:42
    Permalink

    Your style is really unique compared to other folks I’ve read
    stuff from. I appreciate you for posting when you have the opportunity,
    Guess I will just book mark this site.

  • 07.08.2023 в 17:08
    Permalink

    An impressive share! I’ve just forwarded this onto a coworker
    who was conducting a little homework on this.
    And he in fact ordered me lunch because I found it for him…
    lol. So allow me to reword this…. Thanks for the meal!!
    But yeah, thanks for spending time to talk about this subject here on your site.

  • 07.08.2023 в 19:51
    Permalink

    These are in fact wonderful ideas in about blogging. You have touched some pleasant
    things here. Any way keep up wrinting.

Добавить комментарий

Ваш адрес email не будет опубликован. Обязательные поля помечены *