- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
当前,我有一个按钮,当用户单击它时,它会寻找已准备就绪且包含文件的特定CD-ROM驱动器。有时,当用户单击一个按钮时,鼠标单击将使按钮单击,并且程序将挂起一段不确定的时间,直到计算机读取CD-ROM驱动器。
我进入了进度栏,但发现了一些问题:
1)在调用检查CD驱动器的方法之前,程序会挂起/冻结。因此,我无法设置进度条在调用该方法时显示。似乎在单击按钮时以及用户同时放入CD时程序挂起。单击按钮并且鼠标仍然向下/直到系统检测到CD驱动器后,如何显示进度栏?
2)我对如何实现后台工作程序感到困惑。我看了喜欢的示例,但没有一个示例具有使用MVVM(不确定代码)方法的不确定进度条。
3)操作完成后如何使窗口消失?目前,我有一个取消按钮(绝对没有用)。
到目前为止,这是我设置的内容。不确定如何继续:
进度条:
<Grid>
<Border BorderBrush="Black" BorderThickness="2" CornerRadius="4" Background="#EEEEEE" HorizontalAlignment="Left" Height="110" VerticalAlignment="Top" Width="295" />
<StackPanel>
<Label x:Name="lblProgress"/>
<ProgressBar x:Name="progress" Height="25" Width="270" IsIndeterminate="True" Foreground="Green"></ProgressBar>
<StackPanel Orientation="Horizontal" HorizontalAlignment="Left" Margin="225,10,0,0" RenderTransformOrigin="0.083,0.526">
<Button x:Name="btnCancel" Width="60" Content="Cancel" Command="{Binding CloseCommand}"/>
</StackPanel>
</StackPanel>
</Grid>
public ICommand ImportCDFilePathCommand
{
get
{
return new RelayCommand(ImportCDFilePath, null);
}
}
private void ImportCDFilePath()
{
// dialogService.ShowDialog("Progress", progressBarWindow); <---Does not get called until the operation is done
//Gets all the drives
DriveInfo[] allDrives = DriveInfo.GetDrives();
//checks if any CD-Rom exists in the drives
var cdRomExists = allDrives.Any(x => x.DriveType == DriveType.CDRom);
// Get all the cd roms
var cdRoms = allDrives.Where(x=>x.DriveType==DriveType.CDRom && allDrives.Any(y=>y.IsReady));
//.... There is other code that is commented out too long and not necessary
}
static BackgroundWorker _bw = new BackgroundWorker();
//constructor
MainViewModel() {
_bw.DoWork += bw_DoWork;
_bw.RunWorkerAsync("Message to worker");
}
void bw_DoWork(object sender, DoWorkEventArgs e)
{
// This is called on the worker thread
Console.WriteLine(e.Argument); // writes "Message to worker"
// Perform time-consuming task...
ImportCDFilePath();
}
The calling thread must be STA, because many UI components require this.
最佳答案
嗨,我在这里有点快,您所使用的方法没有任何异步等待重载。因此,您可以使用旧的BackgroundWorker。我在这里为您提供了一个非常简单的示例,可以快速制作(制作食物)。 (未运行的)示例将仅报告进度0或100,但不会冻结UI。报告进度时,您发送一个int(进度)和一个userstate对象,这可能是您想要发送的任何对象。只需将其转换,然后执行您想要的操作即可:)
public class TestViewModel : INotifyPropertyChanged
{
private int progress;
private BackgroundWorker bgWorker;
private bool isBusy;
private readonly Dispatcher dispatcher;
private ObservableCollection<DriveInfo> cdRoms;
public Int32 Progress
{
get { return progress; }
set
{
if (value == progress) return;
progress = value;
OnPropertyChanged();
}
}
public bool IsBusy
{
get { return isBusy; }
set
{
if (value.Equals(isBusy)) return;
isBusy = value;
OnPropertyChanged();
}
}
public ICommand ImportCDFilePathCommand
{
get
{
return new RelayCommand(ImportReagentLotFilePath);
}
}
public ObservableCollection<DriveInfo> CdRoms
{
get { return cdRoms; }
set
{
if (Equals(value, cdRoms)) return;
cdRoms = value;
OnPropertyChanged();
}
}
// This one made your app crash if you defined it directly in the xaml as datacontext and not were using a viewmodellocator
public TestViewModel(Dispatcher dispatcher) // ugh I'm sure there is an interface for this, feed your UI dispatcher here
{
this.dispatcher = dispatcher;
}
// Add this one!
public TestViewModel()
{
this.dispatcher = App.Current.Dispatcher; // Bad pie
}
private void ImportReagentLotFilePath()
{
IsBusy = true;
Progress = 0;
bgWorker = new BackgroundWorker { WorkerReportsProgress = true, WorkerSupportsCancellation = true };
bgWorker.DoWork += bgWorker_DoWork;
bgWorker.ProgressChanged += bgWorker_ProgressChanged;
bgWorker.RunWorkerCompleted += bgWorker_RunWorkerCompleted;
bgWorker.RunWorkerAsync(/*whatever parameter you want goes here*/);
}
void bgWorker_RunWorkerCompleted(object sender, RunWorkerCompletedEventArgs e)
{
// you are done!
Progress = 100;
CdRoms = new ObservableCollection<DriveInfo>(e.UserState as IEnumerable<DriveInfo>);
}
void bgWorker_ProgressChanged(object sender, ProgressChangedEventArgs e)
{
// Notifty your gui changes here forinstance, this method will be called on the gui thread. Just cast/parse what you feed
Progress = e.ProgressPercentage;
if (Progress == 100)
IsBusy = false;
}
void bgWorker_DoWork(object sender, DoWorkEventArgs e)
{
try
{
DriveInfo[] allDrives = DriveInfo.GetDrives();
bool cdRomExists = allDrives.Any(x => x.DriveType == DriveType.CDRom);
IEnumerable<DriveInfo> cdroms = allDrives.Where(x => x.DriveType == DriveType.CDRom && allDrives.Any(y => y.IsReady));
// reports the progress on the ui thread....
bgWorker.ReportProgress(Progress,cdroms);
}
catch (Exception ex)
{
// errror handling + cancel run
dispatcher.BeginInvoke((Action) (() => { IsBusy = false; Progress = 0; }));
}
}
public event PropertyChangedEventHandler PropertyChanged;
[NotifyPropertyChangedInvocator] // remove if you are not using R#
protected virtual void OnPropertyChanged([CallerMemberName] string propertyName = null)
{
PropertyChangedEventHandler handler = PropertyChanged;
if (handler != null) handler(this, new PropertyChangedEventArgs(propertyName));
}
}
// Alternatively use a task.....
public ICommand TaskTestCommand
{
get
{
return new RelayCommand(DoStuffAsync);
}
}
public Task DoStuffAsync()
{
Task tcs = Task.Factory.StartNew(() =>
{
try
{
// No awaits... please note that anything bound in the gui must be changed on the dispatcher
DriveInfo[] allDrives = DriveInfo.GetDrives();
bool cdRomExists = allDrives.Any(x => x.DriveType == DriveType.CDRom);
IEnumerable<DriveInfo> cdroms = allDrives.Where(x => x.DriveType == DriveType.CDRom && allDrives.Any(y => y.IsReady));
}
catch (Exception ex)
{
// handle your errors here. Note that you must check the innerexception for the real fault
System.Diagnostics.Trace.WriteLine(ex.ToString());
}
}).ContinueWith((e) => { // this code is run when the task is completed...
if(e.Exception!=null)
{
// hande error.. /
}
else
{
// complete.. do whatever here
}
});
return tcs;
}
关于c# - 不确定进度条,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/25021838/
我正在使用 Selenium Web 驱动程序 3.0,并且想要从打开的两个对话框(一个在后台,第二个在前台)的 Activity 对话框中单击“确定”按钮。如何从 html 下面的父 div 单击前
actions: [ FlatButton( onPressed: () {
我有一个问题有点超出我的范围(我真的很高兴我是 Beta)涉及重复项(所以 GROUP BY, HAVING, COUNT),通过将解决方案保留在 SQLite 附带的标准函数中而变得更加复杂。我正在
使用DBI是否可以确定SELECT语句的已执行语句句柄是否返回任何行而不从中获取行? IE。就像是: use DBI; ... my $sth = $dbh->prepare("SELECT ..."
是否可以为“确定”和“关闭”按钮指定回调函数? 如果是JQuery Modal,则可以在初始化时使用按钮字典指定回调函数。 Semantic-ui模态是否提供类似的功能?按下确定后,我该如何寻求其他逻
我想阅读警报中的消息。 示例:如果警报显示“错误的电子邮件地址”。怎么读呢?意味着我想将该消息存储在字符串中。 如何在“警报”中单击“确定”...?? 如何使用 Selenium 来做到这一点? 最佳
我有一个删除按钮: 我试图首先查明是否已选择一个网站,如果已选择一个网站,我需要确定是否已选择一个或多个列表项,如果是,则继续删除这些项目。 我的 if 语句不断返回“您必须首先选择您的列表”,即使它
部分出于好奇——我们想知道在我们的应用程序中发生了什么——部分是因为我们需要在我们的代码中找到一些潜在的问题,我喜欢在我们的网络应用程序运行时跟踪一些一般值。这尤其包括某些对象图的分配内存。 我们的应
我将 SweetAlert 与 Symfony 结合使用,我希望用户在完成删除操作之前进行确认。 发生的情况是,当用户单击删除按钮时,SweetAlert 会弹出,然后立即消失,并且该项目被删除。 在
我们有一个应用程序可以生成不包括字母 O 的随机基数 35 [0-9A-Z]。我正在寻找一种解决方案来查找包含任何淫秽英语单词的代码,而无需搜索包含 10,000 个条目的列表每个生成的代码。每秒生成
这是我做的: #include #include int betweenArray(int a, int b){ int *arr,i,range; range = b - a +
我知道如何创建 警报和确认框,但我不知道如何做的是实际单击“确定”。我有一个弹出确认框的页面。 我想使用 Java Script 插件单击“确定”。基本上,我希望我的代码单击页面上的链接,然后在出现提
代码: swal('Your ORDER has been placed Successfully!!!'); window.location="index.php"; 甜蜜警报工
>>> import re >>> s = "These are the words in a sentence" >>> regex = re.compile('are|words') >>> [m
使用确定的理想散列函数给出随机期望线性时间算法两个数组 A[1..n] 和 B[1..n] 是否不相交,即 A 的元素是否也是 B 的元素。 谁能告诉我如何做到这一点,甚至如何开始考虑它? 最佳答案
我在计算机科学课上有这段代码: int input=15; while (input < n ) { input = input *3;} 这段代码有 log3(n/15) 次循环的上限。我们怎样才能
我有一个允许 2 位玩家玩 TicTacToe 的程序。在每个玩家移动之后,它应该在那个点显示棋盘并返回一个名为 Status 的枚举,显示玩家是否应该继续,如果玩家赢了,还是平局。但是,该算法要么返
给定一个 y 值数组,例如 [-3400, -1000, 500, 1200, 3790],我如何确定“好的”Y 轴标签并将它们放置在网格上? ^ ---(6,000)-|---
假设我有一个检查用户登录的 SQL 语句: SELECT * FROM users WHERE username='test@example.com', password='abc123', expi
teradata中有返回表中哪一列被定义为主索引的命令吗?我没有制作一些我正在处理的表,也没有尝试优化我对这些表的连接。谢谢! 最佳答案 有dbc.IndicesV,其中IndexNumber=1表示
我是一名优秀的程序员,十分优秀!