Quantcast
Channel: Microsoft Community - Super Fresh
Viewing all 1237235 articles
Browse latest View live

Microsoft Office

$
0
0
can It's possible to  download Microsoft office 2016 from Microsoft office 2007 product key 

problème technique

$
0
0

Madame ,Monsieur ,

dans ma messagerie de mail  deux sous dossier ont disparu  comment puis je les retrouver?

j'ai un ordinateur portable windows vista

merci de votre réponse 

Windows 10 Bildcode funktioniert nicht

$
0
0

Hallo liebes Forum,

Ich habe seit ein paar Tagen ein neues Gamenotebook HP 17 Omen 087ng und möchte mir wieder den Bildcode für den Start einrichten, bin in den Anmeldeoptionen, Bild hinzufügen usw., doch es kommt immer die NACHRICHT. Registrierungsfehler, versuchen sie es später. 

Bitte um Hilfe

LG Carmentessi

PowerShel远程命令执行问题

$
0
0

     因为我不确定要发到哪个版区,所以我也发到了病毒区,如有必要,可以帮我挪移或删除 。我的电脑日志里面老是显示PowerShell已在进程......中的进程:......上启用IPC侦听线程。然后就出现警告,执行远程命令PowerShell,正在创建 Scriptblock 文本,后面好多命令,我自己是个电脑小白,并没有打开或者操作PowerShell,这是正常的吗,还是被攻击了,比如今天的日志信息是:

      
正在创建 Scriptblock 文本(已完成 1,共 1):
# Copyright ?2008, Microsoft Corporation. All rights reserved.

#Common utility functions
Import-LocalizedData -BindingVariable localizationString -FileName CL_LocalizationData
# Function to get user troubleshooting history
function Get-UserTSHistoryPath {
    return "${env:localappdata}\diagnostics"
}
# Function to get admin troubleshooting history
function Get-AdminTSHistoryPath {
    return "${env:localappdata}\elevateddiagnostics"
}
# Function to get user report folder path
function Get-UserReportPath {
    return "${env:localappdata}\Microsoft\Windows\WER\ReportQueue"
}
# Function to get system report folder path
function Get-MachineReportPath {
    return "${env:AllUsersProfile}\Microsoft\Windows\WER\ReportQueue"
}
# Function to get threshold to check whether a folder is old
function Get-ThresholdForCheckOlderFile {
    [int]$threshold = -1
    return $threshold
}
# Function to get threshold for deleting WER folder
function Get-ThresholdForFileDeleting() {
    [string]$registryEntryPath = "HKLM:\SOFTWARE\Microsoft\Windows\Windows Error Reporting"
    [string]$registryEntryName = "PurgeThreshholdValueInKB"
    [double]$defaultValue = 10.0
    return Get-RegistryValue $registryEntryPath $registryEntryName $defaultValue
}
# Function to get the size of a directory in kb
function Get-FolderSize([string]$folder = $(throw "No folder is specified")) {
    if([String]::IsNullOrEmpty($folder) -or (-not(Test-Path $folder))) {
        return 0
    }
    if(-not $Global:DirectoryObject) {
        $Global:DirectoryObject = New-Object -comobject "Scripting.FileSystemObject"
    }
    return ($Global:DirectoryObject.GetFolder($folder).Size) / 1kb
}
# Function to delete a folder
function Delete-Folder([string]$folder = $(throw "No folder is specified")) {
    if([String]::IsNullOrEmpty($folder) -or (-not(Test-Path $folder))) {
        return
    }
    Remove-Item -literalPath $folder -Recurse -Force
}
# Function to delete old folders
function Delete-OldFolders($folder=$(throw "No folder is specified")) {
    if(($folder -eq $null) -or (-not(Test-Path $folder))) {
        return
    }
    [int]$threshold = Get-ThresholdForCheckOlderFile
    $folders = Get-ChildItem -LiteralPath ($folder.FullName) -Force | Where-Object {$_.PSIsContainer}
    if($folders -ne $null) {
        foreach($folder in $folders) {
            if((($folder.CreationTime).CompareTo((Get-Date).AddMonths($threshold))) -lt 0) {
                Delete-Folder ($folder.FullName)
            } else {
                Delete-OldFolders (Get-Item ($folder.FullName))
            }
        }
    }
}
# Function to get registry value
function Get-RegistryValue([string]$registryEntryPath = $(throw "No registry entry path is specified"), [string]$registryEntryName = $(throw "No registry entry name is specified"), [double]$defaultValue = 0.0) {
    [double]$registryEntryValue = $defaultValue
    $registryEntry = Get-ItemProperty -Path $registryEntryPath -Name $registryEntryName
    if($registryEntry -ne $null) {
        $registryEntryValue = $registryEntry.$registryEntryName
    }
 return $registryEntryValue
}
# Function to get the percentage that WER queue can take up
function Get-Percentage() {
    [string]$registryEntryPath = "HKLM:\SOFTWARE\Microsoft\Windows\Windows Error Reporting"
    [string]$registryEntryName = "MaxQueueSizePercentage"
    [double]$defaultValue = 100.0
    return Get-RegistryValue $registryEntryPath $registryEntryName $defaultValue
}
# Function to get free disk space on machine
function Get-FreeSpace {
    [double]$freeSpace = 0.0
    [string]$wql = "SELECT * FROM Win32_LogicalDisk WHERE MediaType=12"
    $drives = Get-WmiObject -query $wql
    if($null -ne $drives) {
        foreach($drive in $drives) {
            $freeSpace += ($drive.freeSpace)
        }
    }
    return ($freeSpace / 1KB)
}
# Function to get all unnecessary files
function Get-UnnecessaryFiles([string]$folder = $(throw "No folder is specified")) {
    if([String]::IsNullOrEmpty($folder) -or (-not(Test-Path $folder))) {
        return $null
    }
    [int]$threshold = Get-ThresholdForCheckOlderFile
    return (Get-ChildItem -literalPath $folder -Recurse -Force | Where-Object {($_.PSIsContainer) -and ((($_.CreationTime).CompareTo((Get-Date).AddMonths($threshold))) -lt 0)})
}
# Function to format disk space (KB -> MB)
function Format-DiskSpaceMB([double]$space = $(throw "No space is specified")) {
    return [string]([Math]::Round(($space / 1KB), 3))
}
# Function to format disk space (B -> GB)
Function Format-DiskSpaceGB([double]$space = $(throw "No space is specified")) {
    return [string]([Math]::Round(($space / 1GB), 3))
}
# Function to attach item to the list with delimiter "/"
function AttachTo-List([string]$list = $(throw "No list is specified"), [string]$item = $(throw "No item is specified"))
{
    if([String]::IsNullOrEmpty($list))
    {
        return $item
    }
    if([String]::IsNullOrEmpty($item))
    {
        return $list
    }
    return $list + "/" + $item
}
# Function to parse the the list with delimiter "/"
function Parse-List([string]$list = $(throw "No list is specified"))
{
    if($list -eq $null)
    {
        return $null
    }
    return $list.Split("/", [StringSplitOptions]::RemoveEmptyEntries)
}
# Function to get list length
function Get-ListLength([string]$list = $(throw "No list is specified"))
{
    if($list -eq $null)
    {
        return 0
    }
    $result = Parse-List $list
    if($result -is [string])
    {
        return 1
    }
    elseif($result -is [object[]])
    {
        return $result.count
    }
    else
    {
        return 0
    }
}
# Function to convert to WQL path
function ConvertTo-WQLPath([string]$wqlPath = $(throw "No WQL path is specified"))
{
    if($wqlPath -eq $null)
    {
        return ""
    }
    return $wqlPath.Replace("\", "\\")
}
# Function to check whether the shortcut is valid
function Test-ValidLink([Wmi]$wmiLinkFile = $(throw "No WMI link file is specified"))
{
    if(($wmiLinkFile -eq $null) -or ([String]::IsNullOrEmpty($wmiLinkFile.Target)))
    {
        return $false
    }
    return Test-Path $wmiLinkFile.Target
}
# Function to chech whether have permission to delete the shortcut file
function Test-Delete([Wmi]$wmiLinkFile = $(throw "No WMI link file is specified"))
{
    if($wmiLinkFile -eq $null)
    {
        return $false
    }
    return ($wmiLinkFile.AccessMask -band 0x10000) -eq 0x10000
}
# Function to get desktop path
function Get-DesktopPath()
{
$methodDefinition = @"
    public static string GetDesktopPath
    {
        get
        {
            return Environment.GetFolderPath(Environment.SpecialFolder.DesktopDirectory);
        }
    }
"@
    $type = Add-Type -MemberDefinition $methodDefinition -Name "DesktopPath" -PassThru
    return $type::GetDesktopPath
}
# Function to get startup path
function Get-StartupPath()
{
$methodDefinition = @"
    public static string GetStartupPath
    {
        get
        {
            return Environment.GetFolderPath(Environment.SpecialFolder.Startup);
        }
    }
"@
    $type = Add-Type -MemberDefinition $methodDefinition -Name "StartupPath" -PassThru
    return $type::GetStartupPath
}
# Function to remove all files in the list
function Remove-FileList([string]$list = $(throw "No list is specified"))
{
    if([String]::IsNullOrEmpty($list))
    {
        return
    }
    try
    {
        Parse-List $list | Foreach-Object {
            if(-not([String]::IsNullOrEmpty($_)))
            {
                Remove-Item $_ -Force
            }
        }
    }
    catch
    {
        $_ | ConvertTo-Xml | Update-DiagReport -id DeleteFileExceptions -Name $localizationString.filesFailToRemove_name -Description $localizationString.filesFailToRemove_description -Verbosity Warning
    }
}
# Function to get the last access time of an Icon
function Get-LastAccessTime([string]$filePath = $(throw "No file path is specified"))
{
    if([String]::IsNullOrEmpty($filePath) -or -not(Test-Path $filePath))
    {
        throw "No file path found"
    }
$typeDefinition = @"
using System;
using System.Collections.Generic;
using System.Runtime.InteropServices;
using ComType = System.Runtime.InteropServices.ComTypes;
public sealed class FileInfo
{
    private FileInfo()
    {
    }
    [StructLayout(LayoutKind.Sequential, CharSet = CharSet.Unicode)]
    struct UAINFO
    {
        internal int cbSize;
        internal int dwMask;
        internal float R;
        internal uint cLaunches;
        internal uint cSwitches;
        internal int dwTime;
        internal ComType.FILETIME ftExecute;
        [MarshalAs(UnmanagedType.Bool)] internal bool fExcludeFromMFU;
        internal UAINFO(int dwMask)
        {
            this.cbSize = Marshal.SizeOf(typeof(UAINFO));
            this.dwMask = dwMask;
            this.R = 0;
            this.cLaunches = 0;
            this.cSwitches = 0;
            this.dwTime = 0;
            this.ftExecute = new ComType.FILETIME();
            this.fExcludeFromMFU = false;
        }
    }
    internal const int UAIM_FILETIME = 1;
    internal static Guid UAIID_SHORTCUTS = new Guid("。。。。。。。。。。。。。");
    [ComImport, Guid("。。。。。。。。。。。。。"), InterfaceType(ComInterfaceType.InterfaceIsIUnknown)]
    interface IShellUserAssist
    {
        int FireEvent(ref Guid pguidGrp, int eCmd, string pszPath, int dwTimeElapsed);
        int QueryEntry(ref Guid pguidGrp, string pszPath, ref UAINFO pui);
        int SetEntry(ref Guid pguidGrp, string pszPath, ref UAINFO pui);
        int RenameEntry(ref Guid pguidGrp, string pszFrom, string pszTo);
        int DeleteEntry(ref Guid pguidGrp, string pszPath);
        int Enable(bool fEnable);
    }
    [ComImport, Guid("。。。。。。。。。。。。。。。。。。。。")]
    internal class UserAssist { }
    public static DateTime GetLastAccessTime(string filePath)
    {
        if(String.IsNullOrEmpty(filePath))
        {
            throw new ArgumentException("The file path is null or empty");
        }
        UAINFO uaInfo = new UAINFO(UAIM_FILETIME);
        IShellUserAssist iShellUserAssist = new UserAssist() as IShellUserAssist;
        if (iShellUserAssist == null)
        {
            throw new InvalidOperationException("Can't get iShellUserAssist interface");
        }
        try
        {
            Marshal.ThrowExceptionForHR(iShellUserAssist.QueryEntry(ref UAIID_SHORTCUTS, filePath, ref uaInfo));
        }
        catch
        {
            throw new InvalidOperationException("Can't query info about" + filePath);
        }
        long fileTime = (((long)uaInfo.ftExecute.dwHighDateTime) << 32) + uaInfo.ftExecute.dwLowDateTime;
        return DateTime.FromFileTime(fileTime);
    }
}
"@
    $type = Add-Type -TypeDefinition $typeDefinition -PassThru
    return $type[0]::GetLastAccessTime($filePath)
}
# Function to check whether the icon is pointing to a file
function Test-FileShortcut([Wmi]$wmiLinkFile = $(throw "No wmi link file is specified"))
{
    if($wmiLinkFile -eq $null)
    {
        return $false
    }
    [string]$target = $wmiLinkFile.Target
    if([String]::IsNullOrEmpty($target) -or -not(Test-Path $target))
    {
        return $false
    }
    return -not((Get-Item $target).PSIsContainer)
}
# Function to create a choice in interaction page
function Get-Choice([string]$name = $(throw "No choice name is specified"), [string]$description = $(throw "No choice description is specified"),
                   [string]$value = $(throw "No choice value is specified"), [xml]$extension)
{
    return @{"Name"=$name;"Description"=$description;"Value"=$value;"ExtensionPoint"=$extension.InnerXml}
}
# Function to check whether the current machine is domain joined
Function Test-DomainJoined()
{
    return (Get-WmiObject -query "select * from win32_ntdomain where Status ='OK'") -ne $null
}
# Function to update time source
Function Update-TimeSource([string]$timeSource = $(throw "No time source is specified"))
{
    w32tm.exe /config /update /manualpeerlist:"$timeSource"
}
# Function to get system drive info
function Get-SystemDriveInfo() {
    [string]$wql = "SELECT * FROM Win32_LogicalDisk WHERE MediaType=12 AND Name = '" + ${env:systemdrive} + "'"
    return Get-WmiObject -query $wql
}
# Function to get time service status
function Get-ServiceStatus([string]$serviceName=$(throw "No service name is specified")) {
   [bool]$startService = $true
   [WMI]$timeService = @(Get-WmiObject -Query "Select * From Win32_Service Where Name = `"$serviceName`"")[0]
   if($null -ne $timeService) {
      [ServiceProcess.ServiceControllerStatus]$timeServicesStatus = (Get-Service $serviceName).Status
      if(([ServiceProcess.ServiceControllerStatus]::Stopped -eq $timeServicesStatus) -or ([ServiceProcess.ServiceControllerStatus]::StopPending -eq $timeServicesStatus)) {
         $startService = $false
      }
   }
   return $startService
}
# Function to wait for expected service status
function WaitFor-ServiceStatus([string]$serviceName=$(throw "No service name is specified"), [ServiceProcess.ServiceControllerStatus]$serviceStatus=$(throw "No service status is specified")) {
    [ServiceProcess.ServiceController]$sc = New-Object "ServiceProcess.ServiceController" $serviceName
    [TimeSpan]$timeOut = New-Object TimeSpan(0,0,0,5,0)
    $sc.WaitForStatus($serviceStatus, $timeOut)
}

ScriptBlock ID: 。。。。。。。。。。。。。。。。。
路径: C:\WINDOWS\TEMP\SDIAG_。。。。。。。。。。。。\CL_Utility.ps1

 类似的PowerShell执行远程命令的有很多,有时间一天会出现298个进程监听和执行远程命令的情况,有298个被监听和执行远程命令的情况正常吗。8月份的一天,其中还有日志提示这样:

+System

-Provider
[ Name] Microsoft-Windows-PowerShell
[ Guid] {A0C1853B-5C40-4B15-8766-3CF1C58F985A}
EventID4100
Version1
Level3
Task106
Opcode19
Keywords0x0
-TimeCreated
[ SystemTime] 2018-08。。。。。。。
EventRecordID270
-Correlation
[ ActivityID] {510C34FC-37C3-0001-570A-0D51C337D401}
-Execution
[ ProcessID] 10360
[ ThreadID] 12256
ChannelMicrosoft-Windows-PowerShell/Operational
Computer。。。。。。。
-Security
[ UserID] S-1-5-21-。。。。。。。。。。
-EventData
ContextInfo严重性 = Warning 主机名 = ConsoleHost 主机版本 = 5.1.16299.547 主机 ID = 。。。。。。。。 主机应用程序 =C:\Windows\System32\WindowsPowerShell\v1.0\powershell.exe 引擎版本 = 5.1.16299.547 运行空间 ID = 。。。。。。。管道 ID = 6 命令名称 = Get-WindowsOptionalFeature 命令类型 = Cmdlet 脚本名称 = 命令路径 = 序列号 = 15 用户 =  。。。。。。。已连接用户 = Shell ID = Microsoft.PowerShell
UserData
Payload错误消息 = 请求的操作需要提升。 全限定错误 ID = Microsoft.Dism.Commands.GetWindowsOptionalFeatureCommand

这是正常的吗,如果需要,你们可以指导我上传日志文件,是我被攻击了还是正常系统情况,我是windows 10家庭版。

有些序列号或其他我使用了。。。。。代替。我的计划任务库和用户里就多出了一个S-1-5-21-。。。。。。。。。。这不是我建立的用户或计划任务。

Служба политики диагностики не запущена

$
0
0

Проблема на нэтбуке HP. Подключение к интернету присутствует, но интернет не работает. Запускаем Диагностику неполадок сети - выдает сообщение "Служба политики диагностики на запущена". Через Администрирование > Службынаходим эту не запущенную службу и пытаемся включить - вылетает ошибка "Не удалось запустить службу Служба политики диагностики на Локальный компьютер. Ошибка 2: Не удается найти указанный файл."

Конец истории. Думал запустить обновление компонентов Windows но для этого нужен интернет, а он не работает и как починить мне неизвестно. 

На компе Аваст. После возникновения проблемы - первым делом запущено сканирование всех дисков (при загрузке).

Так же включил все права в ветке реестра HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\services\VSS\Diag.

Как решать такую проблему?

Activation code

$
0
0

I bought Microsoft  Microsoft Windows 10 Pro 64-bit - OEM

, but I don't know where to find my activation key.

Model Number: FQC-08930

Outlook 2016 - Stops sending and receiving emails after a few minutes

$
0
0

I am running Windows 10 with Outlook 2016 connected through Microsoft Exchange. I can send and receive emails for about 10 minutes and then I stop receiving new emails (they still come in on my phone) and and any emails I send just say sending 1 of 1 until I restart Outlook. 

Once restarted emails that were in my outbox will send and I can receive emails for another ~10 minutes before I have to restart Outlook again. 

This only happens in one particular location office. Any advice/ideas would be appreciated.

Secuencia de tareas al hacer click en un programa específico

$
0
0

Buen día a todos, espero que estén bien. Hace unos días vi a mi jefe hacer un script de eventos para ejecutar un programa del trabajo en una MAC y me dije pues, si esto se puede hacer en una MAC también se puede hacer en windows, el programa que el utilizaba es llamado automaker, supongo que para hacer ese tipo de scripts en windows debo usar el programador de tareas pero no manejo la utilización de eventos y lo que quiero hacer es como sigue:

Tengo un programa que utiliza la tarjeta de video principalmente y al ser mi tarjeta de viedo una HD Graphics 4000 la cual usa la memoria RAM de la computadora como propia el programa me crea una ventana de advertencia por falta de memoria RAM y cuando le doy a aceptar el programa me corre sin problemas pero antes de eso tengo problemas para hacer click en dicha ventana porque el cursor se me pierde, la mayoría de las veces termino seleccionando la ventana a través del administrador de tareas activado con Windows + X, entonces, los pasos que quiero hacer son los siguientes:

  1. Hacer click en el programa para ejecutarlo.
  2. Hacer click en el botón correspondiente de la ventana de advertencia para aceptar.

"Ejecutar los dos pasos anteriores automáticamente solo al hacer click una vez o lo que es lo mismo, realizar una secuencia de eventos".

Al intentar crear la tarea en el programador de tareas no se como registrar los distintos eventos que me llevaran a hacer esta secuencia de manera satisfactoria ya que al llegar al apartado al producirse un evento no tengo ni idea de cual es el evento que debo seleccionar para hacer que se ejecute al hacer click ni como hacer para que me reoconozca el programa específico sobre el cual hacer click.

Toda la ayuda que me puedan brindar les estaré sumamente agradecido.

NOTA: Estoy preguntando en el foro correcto o debo irme a Technet?


my email just about stopped coming in????

$
0
0

my emails has almost stopped some I was getting everyday and still want has stopped???

Se ha producido un problema con Adobe Acrobat/Reader. Si se esta ejecutando, cierrelo y vuelva a intentarlo (15:3)

$
0
0
Se ha producido un problema con Adobe Acrobat/Reader. Si se esta ejecutando, cierrelo y vuelva a intentarlo (15:3)

Annoso problema: e-mail da Alice ad Hotmail (Outlook.com)

$
0
0

Sul caso di utenti Alice (provider TELECOM o TIM) che si vedono impossibilitati ad inviare mail verso HOTMAIL c'è molta letteratura internet, ma trovo veramente difficoltoso mettere a fuoco una soluzione efficace.

Provo quindi ad esporre il mio caso, cercando di essere il più preciso possibile.

La mia utenza è *** Email address is removed for privacy ***.

Uso come programma di posta Outlook 2007.

 

Se uso Alice Web, la posta arriva regolarmente agli utenti HOTMAIL; quidi devo pensare che esistano dei server TIM di posta in uscita che non danno problemi verso HOTMAIL; è possibile conoscerne gli indirizzi ?

Se richiedo l' esito di consegna ricevo una mail di avvenuta consegna da parte di Outlook.com:

 

Se, invece, uso il programma di posta Outlook 2007, la mia posta non arriva al destinatario; premetto che il server di posta in uscita che usopuòessere "out.alice.it" oppure, indifferentemente, "smtp.tim.it".

Se richiedo l' esito di consegna ricevo una mail di riscontro da questo mittente:

Mail Delivery Service [*** Email address is removed for privacy ***]

Con il seguente contenuto

These recipients of your message have been processed by the mail server:

*** Email address is removed for privacy ***; Failed; 5.3.0 (other or undefined mail system status)

 

    Remote MTA eur.olc.protection.outlook.com: network error

 

 - SMTP protocol diagnostic: 550 5.7.1 Unfortunately, messages from [82.57.200.100] weren't sent. Please contact your Internet service provider since part of their network is on our block list (S3150). You can also refer your provider to http://mail.live.com/mail/troubleshooting.aspx#errors. [HE1EUR01FT028.eop-EUR01.prod.protection.outlook.com]

 

Per quanto riguarda i parametri di uscita l'impostati in Outlook 2007 essi sono:

-server di posta in uscita che richiede autenticazione e che utilizza le stesse impostazioni della posta in arrivo

-porta 587

-tipo di connessione crittografata : nessuna.

C'è un modo anche solo per aggirare il problema ?

Mi rivolgo a voi perché ritengo che l' eventuale blocco di black-list sia sotto il vostro controllo e non di TELECOM.

Inoltre, ammesso che sia così, vi sarei grato se potessi sapere per quale motivo ci sarei finito dentro.

Grazie e cordiali saluti.

 

 

「エラーが発生したため、Excelが正常に機能できない」と表示される

$
0
0
「エラーが発生したため、Excelが正常に機能できない」と表示される

Excelを起動しようとすると

「申し訳ございません。エラーが発生したため、Excelが正常に機能できなくなりました。Excelを終了する必要があります。今すぐ修復しますか?」

というメッセージ、「今すぐ修復」「ヘルプ」「終了」が出ます。

画面がすぐに消えてしまいます

windows8.1使用です

ちなみにExcel2016のパッケージ商品を使用しています

windows is not starting up or booting. nothing works

$
0
0
i have tried all recovery methods but my system is not starting. i have tried severally to reinstall windows but at a point it keeps saying windows 10 installation file is corrupted, contact vendor or administrator. please help me because important files in my pc only though i partitioned the disk

Sharing permissions for a calendar

$
0
0

Hello, I cant seem to find an answer for this but here goes.

At my school we want to have a calendar that staff can all see.  We want to the publish this calendar on our website.  However we would like to keep some events within the calendar private from the published calendar on the website, so that they only display in  the calendar which staff subscribe to on office 365 online.  I'm not sure if this is possible as it is a share with some but not all scenario, or as a workaround is to keep two separate calendars, one which is published online and parents and the outside world can view, and then have an additional calendar that we just share across staff?  

any thoughts would be greatly appreciated.

Barra de rolagem do edge parou de funcionar (travou)

$
0
0

Barra de rolagem do edge parou de funcionar (travou) !

https://www.facebook.com/manckenna


0x87e10008

Microsoft DFS Folder Access Issue

$
0
0

Hi,

I am migrating DFS name space from Windows 2003 to Windows 2016 in Stand alone DFS with Cluster Environment.

I am facing issue that after creating DFS name space role in windows 2016 that Folder - Folder access through \\DFSNameSpace\Shared Folder\DFS links or Shares

I am expecting that DFS Name space can be accessed like \\DFSNameSpace\DFS links or Shares. This way I am able to access in windows 2003.

backup a file

$
0
0
backup does not automatically backup.  I have to go to settings and do it manually every time i want a file backed up

스크립트파일 C:\Users\AppData\Roaming\Windows Defender\run.vbs 를 찾을 수 없습니다. 에러

$
0
0

run.vbs를 찾을수 없다고 뜹니다.

Kontakte von zwei Office365-Konten (Nokia 6.1 Androidone)

$
0
0

Liebe Community

Ich bin von Windows Phone auf Android umgestiegen (leider)… und möchte mich jedoch weiterhin ausschliesslich mittels Outlook.com organisieren. Mein neues Handy (Nokia 6.1 mit Androidone 8) funktioniert auch tadellos mit Outlook, was E-Mails und Kalender betrifft. Ich arbeite mit zwei Office365-Konten (eines geschäftlich, das andere Privat) und kann auch perfekt wählen, ob ich die E-Mails bzw. Termine beider Konten oder nur jeweils eines Kontos angezeigt haben will. Bis hierhin alles bestens.

Bei den Kontakten jedoch klappt das nicht. Ich muss ja die Kontakte-App des Handys nutzen. Die Synchronisierung funktioniert in einer Richtung tadellos (von Outlook zu Gmail) umgekehrt jedoch nicht, was mich nicht besonders stört.

Was mich jedoch ärgert ist der Fakt, dass nur die Kontakte des einen Kontos übernommen und synchronisiert werden. Die Kontakte des anderen Office365-Kontos sind.... ja, wo sind sie denn???

Im Outlook for Android auf dem Handy kann ich ja zwischen den Anzeigen von E-Mauls und Kalender wechseln und dort das gewünschte Konto wählen, so soll es sein. Bei den Kontakten jedoch ist das nicht möglich, die kann ich nur über die Android-App aufrufen und da erscheinen lediglich meine privaten Kontakte.

Ich habe bei der Einrichtung des Nokia (gezwungenermassen mittels eines Gmail-Kontos, das ich aber nur als Durchlauferhitzer brauche) ein Exchange-Gmail-Konto eingerichtet, über welches die Synchronisierung der Kontakte erfolgt, allerdings aber eben nur der privaten Kontakte.

Weshalb funktioniert Outlook for Android mit den Kontakten nicht analog E-Mails und Termine? Mache ich etwas falsch?

Nebenbei: Wie belegt man bei Andoidone die Telefontasten mit Kurzwahlnummern? bei Android 6 ist das ganz einfach!

Besten Dank für kompetente Rückmeldungen!

PetDany

Viewing all 1237235 articles
Browse latest View live


<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>