from queue import LifoQueue def evaluate_expression(expressions) : val = LifoQueue() op = LifoQueue() for c in expressions: if c == '(' or c == '|' or c == '&' or c == '!': op.put(c) elif c == 'V' or c == 'F' or c == ')': b = None if c != ')': b = True if c == 'V' else False else: b = val.get() while not op.empty(): if op.queue[-1] == '!': b = not b op.get() elif op.queue[-1] == '|': pre = val.get() b = pre or b op.get() elif op.queue[-1] == '&': pre = val.get() b = pre and b op.get() val.put(b) ch = 'V' if val.get() else 'F' return ch while True: expressions = input() n=1 if not expressions: break else: q=evaluate_expression(expressions) print("Expression {}: {}".format(n, q)) n+=1

时间: 2024-01-18 20:02:12 浏览: 115
ZIP

atomic_queue:C ++无锁队列

这段代码是用 Python 实现了一个逻辑表达式的求值器,可以计算由 V, F, !, &, |, (, ) 组成的逻辑表达式的值。使用 LifoQueue 作为栈来存储操作数和操作符,通过遍历表达式并依次计算得出结果。在代码最后的 while 循环中,程序会循环读取输入的表达式,并输出计算结果。每次循环会将计算结果和表达式编号一并输出。
阅读全文

相关推荐

以下代码有什么错误,怎么修改: import tensorflow.compat.v1 as tf tf.disable_v2_behavior() from PIL import Image import matplotlib.pyplot as plt import input_data import model import numpy as np import xlsxwriter num_threads = 4 def evaluate_one_image(): workbook = xlsxwriter.Workbook('formatting.xlsx') worksheet = workbook.add_worksheet('My Worksheet') with tf.Graph().as_default(): BATCH_SIZE = 1 N_CLASSES = 4 image = tf.cast(image_array, tf.float32) image = tf.image.per_image_standardization(image) image = tf.reshape(image, [1, 208, 208, 3]) logit = model.cnn_inference(image, BATCH_SIZE, N_CLASSES) logit = tf.nn.softmax(logit) x = tf.placeholder(tf.float32, shape=[208, 208, 3]) logs_train_dir = 'log/' saver = tf.train.Saver() with tf.Session() as sess: print("从指定路径中加载模型...") ckpt = tf.train.get_checkpoint_state(logs_train_dir) if ckpt and ckpt.model_checkpoint_path: global_step = ckpt.model_checkpoint_path.split('/')[-1].split('-')[-1] saver.restore(sess, ckpt.model_checkpoint_path) print('模型加载成功, 训练的步数为: %s' % global_step) else: print('模型加载失败,checkpoint文件没找到!') prediction = sess.run(logit, feed_dict={x: image_array}) max_index = np.argmax(prediction) workbook.close() def evaluate_images(test_img): coord = tf.train.Coordinator() threads = tf.train.start_queue_runners(coord=coord) for index,img in enumerate(test_img): image = Image.open(img) image = image.resize([208, 208]) image_array = np.array(image) tf.compat.v1.threading.Thread(target=evaluate_one_image, args=(image_array, index)).start() coord.request_stop() coord.join(threads) if __name__ == '__main__': test_dir = 'data/test/' import glob import xlwt test_img = glob.glob(test_dir + '*.jpg') evaluate_images(test_img)

下面一段代码有什么错误:def evaluate_one_image(): workbook = xlsxwriter.Workbook('formatting.xlsx') worksheet = workbook.add_worksheet('My Worksheet') with tf.Graph().as_default(): BATCH_SIZE = 1 N_CLASSES = 4 image = tf.cast(image_array, tf.float32) image = tf.image.per_image_standardization(image) image = tf.reshape(image, [1, 208, 208, 3]) logit = model.cnn_inference(image, BATCH_SIZE, N_CLASSES) logit = tf.nn.softmax(logit) x = tf.placeholder(tf.float32, shape=[208, 208, 3]) logs_train_dir = 'log/' saver = tf.train.Saver() with tf.Session() as sess: print("从指定路径中加载模型...") ckpt = tf.train.get_checkpoint_state(logs_train_dir) if ckpt and ckpt.model_checkpoint_path: global_step = ckpt.model_checkpoint_path.split('/')[-1].split('-')[-1] saver.restore(sess, ckpt.model_checkpoint_path) print('模型加载成功, 训练的步数为: %s' % global_step) else: print('模型加载失败,checkpoint文件没找到!') prediction = sess.run(logit, feed_dict={x: image_array}) max_index = np.argmax(prediction) workbook.close() def evaluate_images(test_img): coord = tf.train.Coordinator() threads = tf.train.start_queue_runners(coord=coord) for index,img in enumerate(test_img): image = Image.open(img) image = image.resize([208, 208]) image_array = np.array(image) tf.compat.v1.threading.Thread(target=evaluate_one_image, args=(image_array, index)).start() # 请求停止所有线程 coord.request_stop() # 等待所有线程完成 coord.join(threads) if __name__ == '__main__': # 调用方法,开始测试 test_dir = 'data/test/' import glob import xlwt test_img = glob.glob(test_dir + '*.jpg') evaluate_images(test_img)

import random from collections import deque # 定义状态类 class State: def __init__(self, location, direction, grid): self.location = location # 吸尘器位置坐标 self.direction = direction # 吸尘器方向 self.grid = grid # 环境状态矩阵 # 定义操作符 actions = ['UP', 'DOWN', 'LEFT', 'RIGHT'] movements = { 'UP': (-1, 0), 'DOWN': (1, 0), 'LEFT': (0, -1), 'RIGHT': (0, 1) } def move(state, action): # 根据操作进行移动 row, col = state.location dr, dc = movements[action] new_location = (row + dr, col + dc) new_direction = action new_grid = state.grid.copy() new_grid[row][col] = 0 return State(new_location, new_direction, new_grid) # 实现广度优先搜索算法 def bfs(initial_state): queue = deque([initial_state]) while queue: state = queue.popleft() if is_goal_state(state): return state for action in actions: new_state = move(state, action) queue.append(new_state) return None # 判断是否为目标状态 def is_goal_state(state): for row in state.grid: for cell in row: if cell != 0: return False return True # 构造初始状态 def generate_initial_state(): location = (random.randint(0, 2), random.randint(0, 2)) direction = random.choice(actions) grid = [[1 if random.random() < 0.2 else 0 for _ in range(3)] for _ in range(3)] return State(location, direction, grid) # 运行搜索算法 initial_state = generate_initial_state() goal_state = bfs(initial_state) # 评价性能 def calculate_path_cost(state): path_cost = 0 for row in state.grid: for cell in row: if cell != 0: path_cost += 1 return path_cost def calculate_search_cost(): search_cost = 0 queue = deque([initial_state]) while queue: state = queue.popleft() search_cost += 1 if is_goal_state(state): return search_cost for action in actions: new_state = move(state, action) queue.append(new_state) return search_cost path_cost = calculate_path_cost(goal_state) search_cost = calculate_search_cost() print("目标状态路径代价:", path_cost) print("搜索开销:", search_cost) 错误为:list index out of range 请改正

import os from flask import Flask, render_template, request, redirect, sessions, jsonify from flask_socketio import SocketIO, emit # 导入socketio包 name_space = '/websocket' app = Flask(__name__) app.secret_key = 'secret!' socketio = SocketIO(app, cors_allowed_origins='*') client_query = [] max_restruct_count = 3 current_restruct_count = 0 queue = [] restr_msg = {} is_restructing = False @socketio.on('connect') def on_connect(): client_id = request.sid client_query.append(client_id) socketio.emit('abb', 'hi') print('有新连接id=%s接加入, 当前连接数%d' % (client_id, len(client_query))) global is_restructing, current_restruct_count if current_restruct_count == 0: socketio.emit('status', '0') else: socketio.emit('status', '1') @socketio.on('disconnect') def on_disconnect(): client_query.remove(request.sid) print('有连接id=%s接退出, 当前连接数%d' % (request.sid, len(client_query))) @socketio.on('abc') def on_message(abc): print(abc) def check(): global current_restruct_count if current_restruct_count == 0: socketio.emit('status', '0') else: socketio.emit('status', '1') @socketio.on('output') def start_restruct(dch): return 1 @app.route('/restruct', methods=['POST']) def restruct(): return jsonify({"code": 200, "msg": "processing"}) @app.route('/show_dirs', methods=['POST']) def show_dirs(): des_dir = 'moxingku' dirs_list = [] for root, dirs, files in os.walk(des_dir): for dir_name in dirs: if os.path.join(root, dir_name).count(os.sep) == 1: dirs_list.append(dir_name) return jsonify({"code": 200, "dirs_list": dirs_list}) if __name__ == '__main__': socketio.run(app, host='0.0.0.0', port=5000, debug=False)#allow_unsafe_werkzeug=True) 这段代码如何改可以将开发环境变成生产环境

import requestsfrom html.parser import HTMLParserimport argparsefrom concurrent.futures import ThreadPoolExecutor, ProcessPoolExecutor, as_completedimport multiprocessingprefix = "save/"readed_path = multiprocessing.Manager().Queue()cur_path = multiprocessing.Manager().Queue()new_path = multiprocessing.Manager().Queue()lock = multiprocessing.Lock()class MyHttpParser(HTMLParser): def __init__(self): super().__init__() self.tag = [] self.href = "" self.txt = "" def handle_starttag(self, tag, attrs): self.tag.append(tag) if tag == "a": for att in attrs: if att[0] == 'href': self.href = att[1] def handle_endtag(self, tag): if tag == "a" and len(self.tag) > 2 and self.tag[-2] == "div": print("in div, link txt is %s ." % self.txt) print("in div, link url is %s ." % self.href) if not self.href in readed_path.queue: readed_path.put(self.href) new_path.put(self.href) self.tag.pop(-1) def handle_data(self, data): if len(self.tag) >= 1 and self.tag[-1] == "a": self.txt = datadef LoadHtml(path, file_path): if len(file_path) == 0: file_path = "/" url = f"http://{path}{file_path}" try: response = requests.get(url) print(response.status_code, response.reason, response.raw.version) data = response.content.decode("utf-8") if response.status_code == 301: data = response.headers["Location"] if not data in readed_path.queue: new_path.put(data) data = "" return data except Exception as e: print(e.args)def ParseArgs(): parser = argparse.ArgumentParser() parser.add_argument("-p", "--path", help="domain name") parser.add_argument("-d", "--deep", type=int, help="recursion depth") args = parser.parse_args() return argsdef formatPath(path): path = path.removeprefix("https://") path = path.removeprefix("http://") path = path.removeprefix("//") return pathdef doWork(path): path = formatPath(path) m = path.find("/") if m == -1: m = len(path) data = LoadHtml(path[:m], path[m:]) with open(prefix + path[:m] + ".html", "w+", encoding="utf-8") as f: f.write(data) parse.feed(data)def work(maxdeep): args = ParseArgs() cur_path.put(formatPath(args.path)) readed_path.put(formatPath(args.path)) parse = MyHttpParser() with ProcessPoolExecutor(max_workers=4) as executor: for i in range(args.deep): size = cur_path.qsize() futures = [executor.submit(doWork, cur_path.get()) for _ in range(size)] for future in as_completed(futures): try: future.result() except Exception as e: print(e) cur_path.queue.clear() while not new_path.empty(): cur_path.put(new_path.get()) print(i)if __name__ == '__main__': work(5)此代码出现Unresolved reference 'parse'

最新推荐

recommend-type

大华无插件播放项目111

大华无插件播放项目111
recommend-type

Oracle 19c 数据库备份恢复与导入导出实战指南

内容概要:本文详细介绍了Oracle 19c数据库的备份恢复和导入导出操作。首先概述了基本命令,然后分别讲述了三种工作方式(交互式、命令行、参数文件)和三种模式(表、用户、全库)。接着介绍了高级选项,如分割成多个文件、增量导出/导入、以SYSDBA进行导出/导入、表空间传输等。最后讨论了优化技巧,包括加快导出和导入速度的方法。还解决了一些常见问题,如字符集问题和版本问题。 适用人群:Oracle数据库管理员和相关技术人员。 使用场景及目标:适合在日常数据库管理和维护中进行数据备份、恢复、导入和导出操作,提高数据安全性和管理效率。 其他说明:文章内容丰富,涉及多种实用技巧,适用于不同场景下的具体操作,有助于提升工作效率。
recommend-type

深入了解Django框架:Python中的网站开发利器

资源摘要信息:"Django 是一个高级的 Python Web 框架,它鼓励快速开发和干净、实用的设计。它负责处理 Web 开发中的许多常见任务,因此开发者可以专注于编写应用程序,而不是重复编写代码。Django 旨在遵循 DRY(Don't Repeat Yourself,避免重复自己)原则,为开发者提供了许多默认配置,这样他们就可以专注于构建功能而不是配置细节。" 知识点: 1. Django框架的定义与特点:Django是一个开源的、基于Python的高级Web开发框架。它以简洁的代码、快速开发和DRY原则而著称。Django的设计哲学是“约定优于配置”(Conventions over Configuration),这意味着它为开发者提供了一系列约定和默认设置,从而减少了为每个项目做出决策的数量。 2. Django的核心特性:Django具备许多核心功能,包括数据库模型、ORM(对象关系映射)、模板系统、表单处理以及内容管理系统等。Django的模型系统允许开发者使用Python代码来定义数据库模式,而不需要直接写SQL代码。Django的模板系统允许分离设计和逻辑,使得非编程人员也能够编辑页面内容。 3. Django的安全性:安全性是Django框架的一个重要组成部分。Django提供了许多内置的安全特性,如防止SQL注入、跨站请求伪造(CSRF)保护、跨站脚本(XSS)防护和密码管理等。这些安全措施大大减少了常见Web攻击的风险。 4. Django的应用场景:Django被广泛应用于需要快速开发和具有丰富功能集的Web项目。它的用途包括内容管理系统(CMS)、社交网络站点、科学数据分析平台、电子商务网站等。Django的灵活性和可扩展性使它成为许多开发者的首选。 5. Django的内置组件:Django包含一些内置组件,这些组件通常在大多数Web应用中都会用到。例如,认证系统支持用户账户管理、权限控制、密码管理等功能。管理后台允许开发者快速创建一个管理站点来管理网站内容。Django还包含缓存系统,用于提高网站的性能,以及国际化和本地化支持等。 6. Django与其他技术的整合:Django能够与其他流行的技术和库无缝整合,如与CSS预处理器(如SASS或LESS)配合使用,与前端框架(如React、Vue或Angular)协同工作,以及与关系型数据库(如PostgreSQL、MySQL)以及NoSQL数据库(如MongoDB)集成。 7. Django的学习与社区资源:Django有一个活跃的社区和丰富的学习资源,包括官方文档、社区论坛、教程网站和大量的书籍。对于初学者来说,Django的官方教程是一个很好的起点,它会引导开发者从基础到创建一个完整的Django项目。 8. Django版本和兼容性:Django遵循语义化版本控制,每个版本都有特定的稳定性和新特性。开发者需要根据自己的项目需求选择合适的Django版本。同时,为了确保项目的正常运行,需要关注Django版本更新的兼容性问题,并根据需要进行代码调整或升级。 9. Django与Python的关系:作为Python的Web框架,Django充分利用了Python语言的简洁和易读性。随着Python语言的发展,Django也在不断更新,以支持最新的Python语言特性。Django和Python之间的紧密集成使得两者相辅相成。 10. Django的扩展和插件:Django的生态系统中存在大量扩展和插件,这些扩展覆盖了从支付处理、API开发到数据分析的各种领域。开发者可以通过使用这些扩展和插件,加速开发流程,降低开发难度。 通过以上知识点的总结,可以全面了解Django框架的各个方面,从其基本概念到应用场景,再到如何与Python和其他技术整合,以及社区支持和版本管理等。对于希望从事Web开发的开发者来说,掌握Django将是一个宝贵的技能,它能够帮助开发者高效地构建复杂的Web应用。
recommend-type

管理建模和仿真的文件

管理Boualem Benatallah引用此版本:布阿利姆·贝纳塔拉。管理建模和仿真。约瑟夫-傅立叶大学-格勒诺布尔第一大学,1996年。法语。NNT:电话:00345357HAL ID:电话:00345357https://theses.hal.science/tel-003453572008年12月9日提交HAL是一个多学科的开放存取档案馆,用于存放和传播科学研究论文,无论它们是否被公开。论文可以来自法国或国外的教学和研究机构,也可以来自公共或私人研究中心。L’archive ouverte pluridisciplinaire
recommend-type

Thermo-calc中文版:预测材料热膨胀行为的精确科学

![Thermo-calc中文版:预测材料热膨胀行为的精确科学](https://thermocalc.com/wp-content/uploads/2022/05/thermo-calc-release-2022b-social-media-v02-1000x563-1.png) 参考资源链接:[Thermo-Calc中文用户指南:入门与精通](https://wenku.csdn.net/doc/5hpcx03vej?spm=1055.2635.3001.10343) # 1. Thermo-calc中文版概述 Thermo-calc中文版作为材料科学领域内的重要工具,其核心功能是帮助
recommend-type

5.1输出一个整数的逆序数

在编程中,将一个整数的逆序数是指按照位权从右到左读取数字得到的新数。例如,整数123的逆序数就是321。这里有一种常见的做法是通过循环或递归来逐位取出并累加: 1. **迭代法**: ```python def reverse_number(n): rev = 0 while n > 0: rev = rev * 10 + n % 10 n = n // 10 return rev # 示例 print(reverse_number(123)) # 输出:321 ```
recommend-type

Spring Boot集成框架示例:深入理解与实践

资源摘要信息:"Spring Boot子的例子是一个展示如何将Spring Boot与不同框架集成的实践案例集合。Spring Boot是基于Spring的框架,旨在简化Spring应用的创建和开发过程。其设计目标是使得开发者可以更容易地创建独立的、生产级别的Spring基础应用。Spring Boot提供了一个快速启动的特性,可以快速配置并运行应用,无需繁琐的XML配置文件。 Spring Boot的核心特性包括: 1. 自动配置:Spring Boot能够自动配置Spring和第三方库,它会根据添加到项目中的jar依赖自动配置Spring应用。例如,如果项目中添加了H2数据库的依赖,那么Spring Boot会自动配置内存数据库H2。 2. 起步依赖:Spring Boot使用一组称为‘起步依赖’的特定starter库,它们是一组集成了若干特定功能的库。这些起步依赖简化了依赖管理,并且能够帮助开发者快速配置Spring应用。 3. 内嵌容器:Spring Boot支持内嵌Tomcat、Jetty或Undertow容器,这意味着可以不需要外部容器即可运行应用。这样可以在应用打包为JAR文件时包含整个Web应用,简化部署。 4. 微服务支持:Spring Boot非常适合用于微服务架构,因为它可以快速开发出独立的微服务。Spring Boot天然支持与Spring Cloud微服务解决方案的集成。 5. 操作简便:Spring Boot提供一系列便捷命令行操作,例如spring-boot:run,这可以在开发环境中快速启动Spring Boot应用。 6. 性能监控:Spring Boot Actuator提供了生产级别的监控和管理特性,例如应用健康监控、审计事件记录等。 标签中提到的Java,意味着这个例子项目是使用Java语言编写的。Java是一种广泛使用的、面向对象的编程语言,它以其跨平台能力、强大的标准库和丰富的第三方库而闻名。 压缩包子文件的文件名称列表中只有一个名称‘springboot-main’。这暗示了整个项目可能被组织为一个主项目,其中可能包含了多个模块或子模块。在Maven或Gradle构建系统中,一个主项目可以包含多个子模块,每个模块负责应用中的不同部分或特性。Spring Boot允许开发者将应用分割为多个独立模块,每个模块可以有自己的配置和依赖,这对于大型应用的组织和维护非常有帮助。 从给出的信息中可以看出,springboot-main项目可能是一个包含多个集成示例的大型Spring Boot项目。开发者可以通过查看这个项目的代码示例,来学习如何将Spring Boot与各种不同的技术栈和框架集成起来,例如数据库、消息队列、搜索引擎、缓存框架等。这种集成能力是Spring Boot广泛应用在企业级应用开发中的一个重要原因。 综合以上信息,可以得出Spring Boot子的例子是一个很好的资源,用于学习如何利用Spring Boot的优势来快速开发出能够与其他框架无缝集成的应用程序。"
recommend-type

"互动学习:行动中的多样性与论文攻读经历"

多样性她- 事实上SCI NCES你的时间表ECOLEDO C Tora SC和NCESPOUR l’Ingén学习互动,互动学习以行动为中心的强化学习学会互动,互动学习,以行动为中心的强化学习计算机科学博士论文于2021年9月28日在Villeneuve d'Asq公开支持马修·瑟林评审团主席法布里斯·勒菲弗尔阿维尼翁大学教授论文指导奥利维尔·皮耶昆谷歌研究教授:智囊团论文联合主任菲利普·普雷教授,大学。里尔/CRISTAL/因里亚报告员奥利维耶·西格德索邦大学报告员卢多维奇·德诺耶教授,Facebook /索邦大学审查员越南圣迈IMT Atlantic高级讲师邀请弗洛里安·斯特鲁布博士,Deepmind对于那些及时看到自己错误的人...3谢谢你首先,我要感谢我的两位博士生导师Olivier和Philippe。奥利维尔,"站在巨人的肩膀上"这句话对你来说完全有意义了。从科学上讲,你知道在这篇论文的(许多)错误中,你是我可以依
recommend-type

Thermo-calc中文版:全面掌握材料相变的热力学秘籍

![Thermo-calc中文版:全面掌握材料相变的热力学秘籍](https://thermocalc.com/wp-content/uploads/2022/05/thermo-calc-release-2022b-social-media-v02-1000x563-1.png) 参考资源链接:[Thermo-Calc中文用户指南:入门与精通](https://wenku.csdn.net/doc/5hpcx03vej?spm=1055.2635.3001.10343) # 1. 热力学基础与相变概述 ## 1.1 热力学第一定律与能量守恒 热力学是研究能量转换和物质属性变化的科学。在
recommend-type

用C语言输入5个double类型的值,将它们储存到一个数组中并计算每个值的倒数

在C语言中,你可以使用`scanf`函数来输入5个`double`类型的值,并通过动态内存分配创建一个数组来存储这些值。接下来,你需要遍历这个数组并对每个元素求取倒数。下面是一个简单的示例: ```c #include <stdio.h> #include <math.h> int main() { double values[5]; // 创建一个可以存储5个double的数组 int i; printf("请输入5个double类型的值:\n"); for (i = 0; i < 5; i++) { scanf("%lf", &valu