- 287
- 275 727
HACKSHIELD23
เข้าร่วมเมื่อ 18 ก.พ. 2016
Este canal tiene como fin mostrar como poder administrar a través de la tecnología dispositivos que harán mas fácil la vida de los administradores y gente de soporte su día a día , así como también ciertas tecnologías para los usuarios hogareños que son del uso del día a día .
HOW TO MOUNT AN AZURE SHARE LIKE A VOLUME IN WINDOWS SERVER 2025
commands Explanation:
1.New-AzResourceGroup -Name IpswitchDemo -Location "East US"
This command creates a resource group in Azure named IpswitchDemo in the East US region. A resource group is a logical grouping that makes it easier to manage and organize resources in Azure.
2.New-AzStorageAccount -Name "ipswitchdemo12345" -ResourceGroupName "IpswitchDemo" -Location "East US" -Type "Standard_LRS"
This command creates a storage account named ipswitchdemo12345 in the IpswitchDemo resource group. The option Standard_LRS defines the redundancy type, in this case, Locally Redundant Storage (LRS).
3-A: $storageAccount = Get-AzStorageAccount -ResourceGroupName "IpswitchDemo" -Name "ipswitchdemo12345"
Define $storageAccount explicitly: Ensure that the $storageAccount variable is correctly set with the storage account information. You can define it using the following command after creating the storage account.
3-B: $storageKey = (Get-AzStorageAccountKey -ResourceGroupName $storageAccount.ResourceGroupName -Name $storageAccount.StorageAccountName | Select-Object -First 1).Value
This command retrieves the primary access key of the storage account. The access key is necessary to authenticate access to resources within the storage account. The value of this key is stored in the $storageKey variable.
4.$storageContext = New-AzureStorageContext -StorageAccountName $storageAccount.StorageAccountName -StorageAccountKey $storageKey
This command creates a storage context using the storage account name and access key. This context acts as a "connection profile" for subsequent commands, allowing them to authenticate with the storage account.
5.New-AzureStorageShare -Name ipswitchfileshare -Context $storageContext
This command creates a File Share named ipswitchfileshare in the specified storage account. This file share is a cloud resource where you can store files and folders accessible from multiple servers.
6.$secKey = ConvertTo-SecureString -String $storageKey -AsPlainText -Force
This command converts the access key ($storageKey) into a SecureString ($secKey). This is necessary because, in the next step, we will use the credentials in a secure format to access the file share from a server.
7.New-Object System.Management.Automation.PSCredential -ArgumentList "Azure$($storageAccount.StorageAccountName)", $secKey
This command creates a credential object (PSCredential) that includes the username (Azure\$storageAccount.StorageAccountName) and the secure access key ($secKey). This object is necessary to authenticate access to the Azure File Share from a server.
8.Get-AzStorageAccountKey -ResourceGroupName "IpswitchDemo" -Name "ipswitchdemo12345"
This command retrieves the access keys.
-------------------------------------------------------------------------------------------------------
two ways to execute and create the volume from power shell on the server
1.
# Variables
$storageAccountName = "ipswitchdemo12345"
$fileShareName = "ipswitchfileshare"
$storageKey = "QSyCGh56LIbaIZsoCS2AvNSbKn3ZN7wxE34Sae8jDNVnI6cHgo07ymbuoJVQZkm1S1Bjhu2KTfWS+AStPHCjTg=="
# Convertir la clave a SecureString
$secKey = ConvertTo-SecureString -String $storageKey -AsPlainText -Force
# Crear el objeto de credenciales
$credential = New-Object System.Management.Automation.PSCredential -ArgumentList "Azure\$storageAccountName", $secKey
# Mapear el Azure File Share como unidad de red
New-PSDrive -Name "Z" -PSProvider FileSystem -Root "\\$storageAccountName.file.core.windows.net\$fileShareName" -Persist -Credential $credential
----------------------------------------------------------------------------------
2.
# Variables
$storageAccountName = "ipswitchdemo12345"
$fileShareName = "ipswitchfileshare"
$storageKey = "+cpRJ2WV4yfvYwNN9yd3iMyzpF84P7pb7bIehuUXq981JtLsEYs9fvv1ABX5gmNtaknc5m9MvHQ7+AStlfIxdw=="
# Mapear el Azure File Share como unidad de red
net use Z: \\$storageAccountName.file.core.windows.net\$fileShareName /user:Azure\$storageAccountName $storageKey /persistent:yes
1.New-AzResourceGroup -Name IpswitchDemo -Location "East US"
This command creates a resource group in Azure named IpswitchDemo in the East US region. A resource group is a logical grouping that makes it easier to manage and organize resources in Azure.
2.New-AzStorageAccount -Name "ipswitchdemo12345" -ResourceGroupName "IpswitchDemo" -Location "East US" -Type "Standard_LRS"
This command creates a storage account named ipswitchdemo12345 in the IpswitchDemo resource group. The option Standard_LRS defines the redundancy type, in this case, Locally Redundant Storage (LRS).
3-A: $storageAccount = Get-AzStorageAccount -ResourceGroupName "IpswitchDemo" -Name "ipswitchdemo12345"
Define $storageAccount explicitly: Ensure that the $storageAccount variable is correctly set with the storage account information. You can define it using the following command after creating the storage account.
3-B: $storageKey = (Get-AzStorageAccountKey -ResourceGroupName $storageAccount.ResourceGroupName -Name $storageAccount.StorageAccountName | Select-Object -First 1).Value
This command retrieves the primary access key of the storage account. The access key is necessary to authenticate access to resources within the storage account. The value of this key is stored in the $storageKey variable.
4.$storageContext = New-AzureStorageContext -StorageAccountName $storageAccount.StorageAccountName -StorageAccountKey $storageKey
This command creates a storage context using the storage account name and access key. This context acts as a "connection profile" for subsequent commands, allowing them to authenticate with the storage account.
5.New-AzureStorageShare -Name ipswitchfileshare -Context $storageContext
This command creates a File Share named ipswitchfileshare in the specified storage account. This file share is a cloud resource where you can store files and folders accessible from multiple servers.
6.$secKey = ConvertTo-SecureString -String $storageKey -AsPlainText -Force
This command converts the access key ($storageKey) into a SecureString ($secKey). This is necessary because, in the next step, we will use the credentials in a secure format to access the file share from a server.
7.New-Object System.Management.Automation.PSCredential -ArgumentList "Azure$($storageAccount.StorageAccountName)", $secKey
This command creates a credential object (PSCredential) that includes the username (Azure\$storageAccount.StorageAccountName) and the secure access key ($secKey). This object is necessary to authenticate access to the Azure File Share from a server.
8.Get-AzStorageAccountKey -ResourceGroupName "IpswitchDemo" -Name "ipswitchdemo12345"
This command retrieves the access keys.
-------------------------------------------------------------------------------------------------------
two ways to execute and create the volume from power shell on the server
1.
# Variables
$storageAccountName = "ipswitchdemo12345"
$fileShareName = "ipswitchfileshare"
$storageKey = "QSyCGh56LIbaIZsoCS2AvNSbKn3ZN7wxE34Sae8jDNVnI6cHgo07ymbuoJVQZkm1S1Bjhu2KTfWS+AStPHCjTg=="
# Convertir la clave a SecureString
$secKey = ConvertTo-SecureString -String $storageKey -AsPlainText -Force
# Crear el objeto de credenciales
$credential = New-Object System.Management.Automation.PSCredential -ArgumentList "Azure\$storageAccountName", $secKey
# Mapear el Azure File Share como unidad de red
New-PSDrive -Name "Z" -PSProvider FileSystem -Root "\\$storageAccountName.file.core.windows.net\$fileShareName" -Persist -Credential $credential
----------------------------------------------------------------------------------
2.
# Variables
$storageAccountName = "ipswitchdemo12345"
$fileShareName = "ipswitchfileshare"
$storageKey = "+cpRJ2WV4yfvYwNN9yd3iMyzpF84P7pb7bIehuUXq981JtLsEYs9fvv1ABX5gmNtaknc5m9MvHQ7+AStlfIxdw=="
# Mapear el Azure File Share como unidad de red
net use Z: \\$storageAccountName.file.core.windows.net\$fileShareName /user:Azure\$storageAccountName $storageKey /persistent:yes
มุมมอง: 14
วีดีโอ
HOW TO SET UP DNS IN THE VNET TO PROPAGATE ACROSS ALL VMs
มุมมอง 2012 ชั่วโมงที่ผ่านมา
how to create dns in the vnet to propagate across all vm
HOW TO INSTALL ADMIN CENTER ON WIN 2025 AND MANAGE THE VM FROM ADMIN CENTER
มุมมอง 1914 ชั่วโมงที่ผ่านมา
how to stablish admin center on win 2025 and manage the VM from admin center
How to Access and manage storage account in azure withAzure storage explorer
มุมมอง 1516 ชั่วโมงที่ผ่านมา
How to Access and manage storage account in azure withAzure storage explorer
HOW TO CONFIGURE TPM SERVER ON A DOMAIN CONTROLLER WIN2025
มุมมอง 31วันที่ผ่านมา
w32tm /config /manualpeerlist:"pool.ntp.org" /syncfromflags:manual /reliable:YES /update :This command configures the Windows Time service (W32Time) to synchronize with a specified NTP server, in this case, pool.ntp.org. /manualpeerlist: Specifies the list of NTP servers manually (in this case, "pool.ntp.org"). /syncfromflags:manual: Indicates that the service should synchronize only from manua...
How to change regional time setting on winDC 2025 through GPO
มุมมอง 2514 วันที่ผ่านมา
How to change regional time setting on winDC 2025 through GPO
Como agregar usuarios masivos a O365 y asignar licencias
มุมมอง 4921 วันที่ผ่านมา
Connect-AzureAD To install the azureAD powershell module use: Install-Module -Name AzureAD,or Install-Module -Name AzureAD.Standard.Preview AGREGAR USUARIOS MASIVOS DESDE EL CSV: $users = Import-Csv -Path "C:\Temp\exportUsers_2024-10-8-UCA-2.csv" foreach ($user in $users) { # Crear un objeto PasswordProfile con la contraseña del usuario $passwordProfile = New-Object -TypeName Microsoft.Open.Azu...
HOW TO CHANGE WIN SERVER 2025 STANDARD PRODUCT KEY TO DATACENTER FROM POWERSHELL
มุมมอง 45หลายเดือนก่อน
power shel command to execute to change the serial key: dism /online /set-edition:ServerDatacenter /productkey:DN9CQ-xxxxx-P3RG9-xxxxx-V8VHR /accepteula how to move win server 2025 standard product serial key to datacenter edition serial key
How to fix the error 7ita9 in OUTLOOK
มุมมอง 1.1Kหลายเดือนก่อน
How to fix the error 7ita9 in OUTLOOK command to recreate the AAD Broker Plugin: Add-AppxPackage -Register "$env:windir\SystemApps\Microsoft.AAD.BrokerPlugin_cw5n1h2txyewy\Appxmanifest.xml" -DisableDevelopmentMode -ForceApplicationShutdown
COMO CREAR PEERINGS BIDIRECCIONALES Y UNIDIRECCIONALES EN AZURE
มุมมอง 55หลายเดือนก่อน
az group create name MERCURIO23 location centralUS az group delete name MERCURIO23 crear vnet y subnet az network vnet create \ resource-group MERCURIO23 \ name MERCURIONETWORK25 \ address-prefix 192.168.10.0/24 \ subnet-name MERCURIOSUBNET25 \ subnet-prefix 192.168.10.0/24 crear la VM con las subnets y vnets creadas az vm create \ resource-group MERCURIO23 \ name VMMERCURIO25 \ image Win2022Da...
Como Instalar un paquete MSI desde una GPO En un DC 2025
มุมมอง 23หลายเดือนก่อน
Como Instalar un paquete MSI desde una GPO En un DC 2025
How to get backThe serial key of win 2025 from registry
มุมมอง 49หลายเดือนก่อน
How to find the serial key of win 2025 from the registry path: HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows NT\CurrentVersion\SoftwareProtectionPlatform serial key on the registry :BackupProductKeyDefault power shell command to get back the serial key from windows 10/11 $ProductKey = (Get-WmiObject -query 'select * from SoftwareLicensingService').OA3xOriginalProductKey $ProductKey
como ver el serial de Windows server 2025 desde el registro
มุมมอง 22หลายเดือนก่อน
direccionamiento: HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows NT\CurrentVersion\SoftwareProtectionPlatform llave en el registro:BackupProductKeyDefault comando powershell para ver el registro en windows 10/11 $ProductKey = (Get-WmiObject -query 'select * from SoftwareLicensingService').OA3xOriginalProductKey $ProductKey
HOW TO INSTALL HAVOC FRAMEWORK IN KALI 2024.2
มุมมอง 692 หลายเดือนก่อน
STEPS TO INSTALL HAVOC 1.git clone github.com/HavocFramework/Havoc.git 2.INSTALL DEPENDENCIES : sudo apt install -y git build-essential apt-utils cmake libfontconfig1 libglu1-mesa-dev libgtest-dev libspdlog-dev libboost-all-dev libncurses5-dev libgdbm-dev libssl-dev libreadline-dev libffi-dev libsqlite3-dev libbz2-dev mesa-common-dev qtbase5-dev qtchooser qt5-qmake qtbase5-dev-tools libqt5webso...
como solucionar Error Tag 58tm1 en outlook o365 app
มุมมอง 4022 หลายเดือนก่อน
solventando error Tag 58tm1 en outlook o365 app
How to fix error Tag 58tm1 on O365 outlook app
มุมมอง 2K2 หลายเดือนก่อน
How to fix error Tag 58tm1 on O365 outlook app
How to configure a reboot rule for computers from intune
มุมมอง 362 หลายเดือนก่อน
How to configure a reboot rule for computers from intune
Como configurar Reinicio programado de PC y servidores con una GPO desde un DCwin 2025
มุมมอง 532 หลายเดือนก่อน
Como configurar Reinicio programado de PC y servidores con una GPO desde un DCwin 2025
How to set mail user in a distribution list to Send as or Send on behalf of
มุมมอง 202 หลายเดือนก่อน
How to set mail user in a distribution list to Send as or Send on behalf of
COMO INSTALAR HAVOC FRAMEWORK EN KALI 2024.2
มุมมอง 2472 หลายเดือนก่อน
COMO INSTALAR HAVOC FRAMEWORK EN KALI 2024.2
How to release mails from a stuck Deleted Items folder and purge them from O365 dashboard
มุมมอง 763 หลายเดือนก่อน
How to release mails from a stuck Deleted Items folder and purge them from O365 dashboard
Como Actualizar un win server 2025 desde power Shell
มุมมอง 493 หลายเดือนก่อน
Como Actualizar un win server 2025 desde power Shell
Como Crear usuarios masivos en una OU con powershell en un Dc win 2025
มุมมอง 533 หลายเดือนก่อน
Como Crear usuarios masivos en una OU con powershell en un Dc win 2025
Como configurar Forwarders para resolver websites en dominios win 2022 diferentes
มุมมอง 363 หลายเดือนก่อน
Como configurar Forwarders para resolver websites en dominios win 2022 diferentes
How to promote a WIN 2025 server in a Domain Controller using power shell
มุมมอง 253 หลายเดือนก่อน
How to promote a WIN 2025 server in a Domain Controller using power shell
Como PROMOVER un windows 2025 en un DC usando power Shell
มุมมอง 623 หลายเดือนก่อน
Como PROMOVER un windows 2025 en un DC usando power Shell
COMO INSTALAR WINDOWS SERVER 2025PREVIEW
มุมมอง 303 หลายเดือนก่อน
COMO INSTALAR WINDOWS SERVER 2025PREVIEW
HOW TO ADD LOCAL ADMIN USER IN WIN SERVER 2012R2 WITH UTILMAN.EXE IN LESS THAN TWO MINUTES
มุมมอง 233 หลายเดือนก่อน
HOW TO ADD LOCAL ADMIN USER IN WIN SERVER 2012R2 WITH UTILMAN.EXE IN LESS THAN TWO MINUTES
HOW TO RESET PASSWD OF ADMIN USER IN WIN SERVER 2012R2 WITH UTILMAN.EXE IN LESS THAN TWO MINUTES
มุมมอง 333 หลายเดือนก่อน
HOW TO RESET PASSWD OF ADMIN USER IN WIN SERVER 2012R2 WITH UTILMAN.EXE IN LESS THAN TWO MINUTES
🤖🤖How to install REMMINA RDP on KALI 2024.2
มุมมอง 1543 หลายเดือนก่อน
🤖🤖How to install REMMINA RDP on KALI 2024.2
Very usefull i have resolved my issue following these steps
y que ocurre con el softmach? no quedan marcadas para eliminación a los 30 días?
Gracias , porque el zip no me servia....saludos
muchas gracias bro, me sirvió tu video, de casualidad sabes donde encuentro la opción para que en la interfaz web no se me cierre cada 15 min? la sincronización del feed tarda bastante y si se cierra la sesión se interrumpe al igual para los escaneo, no quiero que se cierre la sesión cada rato
Me funciona excelente!!! 🎉🎉🎉
Don't do. It's going to safe mode and happening something
With which software you created this . scr name please?
with www.axialis.com/ssp/ using the trial version
Man...this worked...I search and tried so many other solutions with no success but yours worked perfect. Thank you!!!!
Legit helped me address this error. I am an IT professional, and this video helped. Thank you 💪🏾💪🏾💪🏾
anytime budy
No me funciono y ahora simplemente estoy mas asustado que antes la verdad sea dicha
si este programa se vuelve problematico , revisa estas formas alternativas : www.revouninstaller.com/preview-log/?pid=5598&pname=
How much time I would take
Thank you ❤❤
mUCHAS Gracias buen tutorial
Como creo una imagen de un equipo con ryzen para instalar en un intei
Excelente, te agradezco la ayuda.
PRIMERO ACTUALIZAR APT-GET UPDATE APT-GET UPGRADE INICIO DE INSTALACION DE HAVOC 1.git clone github.com/HavocFramework/Havoc.git 2.instalar dependencias : sudo apt install -y git build-essential apt-utils cmake libfontconfig1 libglu1-mesa-dev libgtest-dev libspdlog-dev libboost-all-dev libncurses5-dev libgdbm-dev libssl-dev libreadline-dev libffi-dev libsqlite3-dev libbz2-dev mesa-common-dev qtbase5-dev qtchooser qt5-qmake qtbase5-dev-tools libqt5websockets5 libqt5websockets5-dev qtdeclarative5-dev golang-go qtbase5-dev libqt5websockets5-dev python3-dev libboost-all-dev mingw-w64 nasm 3.ir a ruta: /Havoc/teamserver 4.ejecutar : ./Install.sh 5.ejecutar : go mod download golang.org/x/sys, go mod download github.com/ugorji/go 6.cd..(regresar a directorio Havoc) 7.correr: make ts-build (para compilar server) 8.corremos el teamserver: ./havoc server --profile ./profiles/havoc.yaotl -v --debug 9.Compilamos el cliente : make client-build(siempre desde directorio Havoc) 10.corremos el cliente :./havoc client 11.ir a la ruta Havoc/profile 12.ejecutar :cat Havot.yaotl 13. buscar el usuario y passwd por defecto
Bendiciones amigo soy fan tuyo excelente contenido haber cuando sube de fortinet enrutamiento Ospf
thank you, it works
COMO HAGO 1.Install-Module MSOnline ¡??
cual es tu pregunta?
bro how did you speed up the update processes, I've been on the page for 2 hours and I keep getting "update in progress.."?
it depends usually about your wire connection or wifi connection ,there are a lot of update package to download
ok made in powerpoint
gracias excelente
Sería genial una instalación de havok C2
interesante herramienta dame un tiempo
Excelente bro, seria genial un vid con auditoria de wifi ya tenes seguidor
Buenos vid te sigo y buen contenido gracias , sera posible hacer un video instalando Openvas con la versión PRETTY_NAME="Kali GNU/Linux Rolling" NAME="Kali GNU/Linux" VERSION_ID="2024.2" VERSION="2024.2"
Dejame trabajar en ello creo que es posible
How to install openvas -gvm on kali 2024.2 th-cam.com/video/1cjnH4Erwx4/w-d-xo.html
capo me sirve, alto crack, 4 horas como estupido buscando la solucion y ahora me salio tk
Your editing skills are on point.
************************************************************************************** REPLICACION DE DOMINIOS comandos power shell 1.El comando repadmin /syncall /AdeP: se utiliza en entornos de Active Directory para forzar la replicación entre todos los controladores de dominio en un dominio o bosque. 2. El comando repadmin /KCC: se utiliza para forzar al Knowledge Consistency Checker (KCC) en un controlador de dominio de Active Directory a recalcular la topología de replicación de forma inmediata. 3.repadmin /showrepl : Proporciona detalles sobre las conexiones de replicación y el estado de la replicación para cada partición.Ayuda a diagnosticar problemas de replicación específicos en rutas de replicación. 4. repadmin /syncall: Fuerza la replicación de todos los directorios entre todos los controladores de dominio. repadmin /syncall /AdeP : Garantiza que todos los cambios se repliquen inmediatamente a través de todos los controladores de dominio. Útil para verificar la replicación después de realizar cambios significativos. 5. repadmin /showmsg DCName : Ayuda a monitorear el tráfico de replicación y los mensajes entre controladores de dominio. 6. repadmin /queue : Muestra la cola de replicación del controlador de dominio. 7. dcdiag /test:replications : Diagnostica problemas de replicación. Verifica que los datos se repliquen correctamente entre todos los controladores de dominio. 8. dcdiag /test:advertising : Verifica que el controlador de dominio esté anunciándose correctamente en la red. 9. dcdiag /test:netlogons : Verifica que el servicio de inicio de sesión de red (Netlogon) esté funcionando correctamente 10.dcdiag /test:services : Comprueba que todos los servicios necesarios de Active Directory estén en funcionamiento. 11.dcdiag /test:frssysvol : Asegura que la carpeta Sysvol se está replicando correctamente entre los controladores de dominio, lo cual es esencial para políticas de grupo y scripts de inicio de sesión. 12 .dcdiag /test:topology : Comprueba la topología de replicación para asegurar que todos los enlaces de sitio y los objetos de replicación estén configurados correctamente. 13.dcdiag /test:systemlog : Ayuda a identificar problemas que están siendo registrados en el log de eventos del sistema Proporciona una visión rápida de cualquier problema subyacente que afecte al controlador de dominio. 14. dcdiag /test:kccevent : Verifica los eventos del Knowledge Consistency Checker (KCC) para asegurarse de que no haya errores en la generación de la topología de replicación. 15.dcdiag /test:fsmocheck : Proporciona una verificación completa del estado de todos los roles FSMO. Identifica cualquier problema relacionado con la transferencia o la tenencia de roles FSMO. ********************************************************************************************* RESOLUCION DE PROBLEMAS server-essentials.com/support/dfs-replication-4012-the-replicated-folder-has-been-offline-for-too-long-one-domain-controller noynim.com/frs-to-dfsr-sysvol-migration-step-by-step/
My pc went on safe mode how to correct it??
Same
how to fix the relationship between a computer and a domain controller 1.Test-ComputerSecureChannel 2.Test-ComputerSecureChannel -Server "contoso.local" 3.Test-ComputerSecureChannel -Verbose 4.Test-ComputerSecureChannel -Repair 5.Reset-ComputerMachinePassword -Server contoso.local -Credential Administrator 6.Reset-ComputerMachinePassword -Server "contoso.local" 7.$credential = Get-Credential -Message "Ingrese credenciales de administrador" Reset-ComputerMachinePassword -Server "contoso.local" -Credential $credential 8.Reset-ComputerMachinePassword -Server "contoso.local" -Credential (Get-Credential)
Thank you very much! I have watched 20 videos and this one got it right!
any time
2024. Still worked, thanks a lot
Gracias mano
de nada
You deserve support thank you so much men
Thanks sir!!!! I was going crazy
dosent work
@hackshield2365 hace 0 segundos you need to have the high right as local admin to add the registry verify if the local admin has the ownership of the registry
@@hackshield2365 i have admin, i’m the only user on the computer and i can’t get rid of it. Mine says access denied.
Mine too Access denied
@@mohammedsuhuyiniandani8724 please try to delete the registry , manually but first try to take ownership of the registry here is an example of Sentinel AV :th-cam.com/video/Kq807_nevg8/w-d-xo.html
Says access denied
@hackshield2365 hace 0 segundos you need to have the high right as local admin to add the registry verify if the local admin has the ownership of the registry
@@hackshield2365 please explain further
please try to delete the registry , manually but first try to take ownership of the registry here is an example of Sentinel AV :th-cam.com/video/Kq807_nevg8/w-d-xo.html
Hello Brother very usefull video. But I need backup of my windows 11 in iso format. Cause I have path it to my WDS server
entra a modo monitor y puede inyectar:(?
hola, funciona en unidades que estan bloquedas por bitlocker?
no recuerda que bitlocker encripta el disco lo cual lo hace ilegible a cualquier administrador de particiones
Hola como va? sabes si se puede hacer los mismo con windows 11
si es posible tambien es el mismo sistema de archivos ntfs
orden de comandos a aplicar : 1.NETDOM QUERY FSMO 2.netdom query dc 3.ntdsutil 4.roles 5.connections 6.q 7.seize infrastructure master 8.seize naming master 9.seize PDC 10.seize RID master 11.seize schema master 12.quit 13.q 14.netdom query fsmo Maestro de esquema: ¿Qué hace? Controla los cambios al esquema de Active Directory. ¿Qué es el esquema? Es como el "diseño" o la "plantilla" de cómo se estructura AD. Define qué tipos de objetos se pueden almacenar en AD y qué propiedades tienen esos objetos. ¿Por qué es importante? Al tener un control centralizado, garantiza que todos los cambios al esquema sean consistentes y se apliquen adecuadamente en todo el entorno de AD. Maestro de nombres de dominio: ¿Qué hace? Gestiona y realiza cambios relacionados con los nombres de dominio en el bosque de AD. ¿Qué es un nombre de dominio en este contexto? Se refiere a los nombres únicos dentro del espacio de nombres DNS de AD. Esencialmente, es cómo se identifica y organiza tu red dentro de AD. ¿Por qué es importante? Asegura que todos los nombres de dominio dentro del bosque de AD sean únicos y se administren correctamente. Maestro RID (Relative ID): ¿Qué hace? Asigna RIDs a los controladores de dominio dentro de un dominio. ¿Qué es un RID? Es un identificador relativo que se utiliza para crear identificadores de seguridad únicos (SIDs) para los objetos en un dominio. ¿Por qué es importante? Garantiza que cada objeto dentro de un dominio tenga un SID único, lo que es fundamental para la seguridad y la gestión de permisos en AD. Emulador de PDC (Controlador de Dominio Principal Emulador): ¿Qué hace? Proporciona compatibilidad para las operaciones de los controladores de dominio más antiguos y actúa como el PDC para todas las operaciones dentro de un dominio. ¿Qué es un PDC? Antiguamente, en versiones más antiguas de Windows Server, había un servidor llamado Controlador de Dominio Principal (PDC) que gestionaba ciertas operaciones de dominio. El emulador de PDC simula este rol para mantener la compatibilidad. ¿Por qué es importante? Asegura que las funciones y operaciones que anteriormente dependían de un PDC sigan funcionando correctamente en entornos más modernos de AD. Maestro de infraestructura: ¿Qué hace? Ayuda en la administración de objetos de referencia cruzada dentro de un bosque de AD. ¿Qué son los objetos de referencia cruzada? Son objetos que hacen referencia a objetos en otro dominio dentro del mismo bosque de AD. ¿Por qué es importante? Facilita la gestión y administración de recursos y permisos que pueden involucrar múltiples dominios dentro de un mismo bosque, garantizando que todo funcione de manera coherente y eficiente. En resumen, cada uno de estos roles desempeña funciones específicas en la administración y operación de Active Directory para garantizar que todo funcione correctamente, sea seguro y esté bien organizado.
1.create the RESOURCE GROUP az group create --name MERCURIO3 --location CentralUS 2.Create the VNETS y SUBNETS az network vnet create --resource-group MERCURIO3 --name MERCURIONETWORK2 --address-prefixes 192.168.0.0/16 --subnet-name MERCURIOSUBNET2 --subnet-prefix 192.168.0.0/24 ------------------------------------------------------------------------------------------------------------------------------------------------------------------------ az network vnet create --resource-group MERCURIO3 --name MERCURIONETWORK3 --address-prefixes 172.0.0.0/16 --subnet-name MERCURIOSUBNET3 --subnet-prefix 172.0.0.0/24 3.create the VMs az vm create \ --resource-group MERCURIO3 \ --name VMMERCURIO3 \ --image Win2022Datacenter \ --admin-username pablo \ --admin-password P@sswd2023** \ --size Standard_DS2_v2 \ --vnet-name MERCURIONETWORK3 \ --subnet MERCURIOSUBNET3 ----------------------------------------------- az vm create \ --resource-group MERCURIO3 \ --name VMMERCURIO2 \ --image Win2022Datacenter \ --admin-username pablo \ --admin-password P@sswd2023** \ --size Standard_DS2_v2 \ --vnet-name MERCURIONETWORK2 \ --subnet MERCURIOSUBNET2 -------------------------------------------------------------------------------------------------------------------------------------------------------------------------- 4.create the PEERINGS to each VNET and Subnet az network vnet peering create \ --resource-group MERCURIO3 \ --name PeeringToMERCURIONETWORK3 \ --vnet-name MERCURIONETWORK2 \ --remote-vnet MERCURIONETWORK3 \ --allow-vnet-access ---------------------------------------------- az network vnet peering create \ --resource-group MERCURIO3 \ --name PeeringToMERCURIONETWORK2 \ --vnet-name MERCURIONETWORK3 \ --remote-vnet MERCURIONETWORK2 \ --allow-vnet-access
Plantillas de comandos de Azure Cloud shell para crear peering entre subnets 1.Crear un RESOURCE GROUP az group create --name MERCURIO3 --location CentralUS 2.Crear las VNETS y SUBNETS az network vnet create --resource-group MERCURIO3 --name MERCURIONETWORK2 --address-prefixes 192.168.0.0/16 --subnet-name MERCURIOSUBNET2 --subnet-prefix 192.168.0.0/24 ------------------------------------------------------------------------------------------------------------------------------------------------------------------------ az network vnet create --resource-group MERCURIO3 --name MERCURIONETWORK3 --address-prefixes 172.0.0.0/16 --subnet-name MERCURIOSUBNET3 --subnet-prefix 172.0.0.0/24 3.Crear las VM az vm create \ --resource-group MERCURIO3 \ --name VMMERCURIO3 \ --image Win2022Datacenter \ --admin-username pablo \ --admin-password P@sswd2023** \ --size Standard_DS2_v2 \ --vnet-name MERCURIONETWORK3 \ --subnet MERCURIOSUBNET3 ----------------------------------------------- az vm create \ --resource-group MERCURIO3 \ --name VMMERCURIO2 \ --image Win2022Datacenter \ --admin-username pablo \ --admin-password P@sswd2023** \ --size Standard_DS2_v2 \ --vnet-name MERCURIONETWORK2 \ --subnet MERCURIOSUBNET2 -------------------------------------------------------------------------------------------------------------------------------------------------------------------------- 4.Crear los PEERINGS para cada VNET y Subnet az network vnet peering create \ --resource-group MERCURIO3 \ --name PeeringToMERCURIONETWORK3 \ --vnet-name MERCURIONETWORK2 \ --remote-vnet MERCURIONETWORK3 \ --allow-vnet-access ---------------------------------------------- az network vnet peering create \ --resource-group MERCURIO3 \ --name PeeringToMERCURIONETWORK2 \ --vnet-name MERCURIONETWORK3 \ --remote-vnet MERCURIONETWORK2 \ --allow-vnet-access
Gracias por tu aporte Estimado Dios te Bendiga
El mejor Hasta el momento
Will this work on latest kali linux? Im using 2023.3 version. And postgresql 15/16
It could works I think but only be aware about the current postgres SQL vesion
Command to apply from azure cloud shell: 1.# Set up vnet and subnet az network vnet create --resource-group MERCURIO --name MERCURIONETWORK --address-prefixes 10.0.0.0/16 --subnet-name MERCURIOSUBNET --subnet-prefix 10.0.0.0/24 2.# Set up a "GatewaySubnet" on the VNET az network vnet subnet create --resource-group MERCURIO --vnet-name MERCURIONETWORK --name GatewaySubnet --address-prefix 10.0.1.0/24 3.# Set up a PUBLIC ip ON THE gateway VPN az network public-ip create --resource-group MERCURIO --name MERCURIOIPPUBLIC --sku Standard --allocation-method Static 4.# Setup a gatewayVPN on the VNET az network vnet-gateway create --resource-group MERCURIO --name MERCURIOGATEWAY --vnet MERCURIONETWORK --gateway-type Vpn --sku VpnGw1 --vpn-type RouteBased --public-ip-address MERCURIOIPPUBLIC 5.# uPDATE THE vnetgateway with Ip address az network vnet-gateway update --resource-group MERCURIO --name MERCURIOGATEWAY --address-prefixes 192.168.0.0/24 ********************************************************************** set up VM : az vm create \ --resource-group MERCURIO \ --name VMMERCURIO1 \ --image Win2022Datacenter \ --admin-username pablo \ --admin-password P@sswd2023** \ --size Standard_DS2_v2 \ --vnet-name MERCURIONETWORK \ --subnet MERCURIOSUBNET ********************************************************************** commands to create the certificates to apply from powershell 1. Here we are generating the root certificate $cert = New-SelfSignedCertificate -Type Custom -KeySpec Signature ` -Subject "CN=VPNRoot" -KeyExportPolicy Exportable ` -HashAlgorithm sha256 -KeyLength 2048 ` -CertStoreLocation "Cert:\CurrentUser\My" -KeyUsageProperty Sign -KeyUsage CertSign 2. Here we are generating the client certificate from the root certificate New-SelfSignedCertificate -Type Custom -DnsName VPNCert -KeySpec Signature ` -Subject "CN=VPNCert" -KeyExportPolicy Exportable ` -HashAlgorithm sha256 -KeyLength 2048 ` -CertStoreLocation "Cert:\CurrentUser\My" ` -Signer $cert -TextExtension @("2.5.29.37={text}1.3.6.1.5.5.7.3.2")
Muchas gracias. Si me funciono. Era justo lo que queria saber. Mi profesor de reparacion de PCs enseño esto muy rapido en el 2013. Tambien menciono que hay un Sistema operativo android para PC, supongo que debe de usarse para comprobar un disco duro con un sistema operativo pequeño y rapido de instalar, no se lo dejo de tarea opcional. chau
th-cam.com/video/JLwfQHGnvOY/w-d-xo.html