活动介绍

HHH000099: an assertion failure occurred (this may indicate a bug in hibernate, but is more likely due to unsafe use of the session): org.hibernate.AssertionFailure: null identifer 怎么解决

时间: 2025-07-07 11:49:58 浏览: 25
<think>好的,我现在需要帮用户解决Hibernate出现的错误“HHH000099: an assertion failure occurred... null identifier”。首先,我得回忆一下这个错误的常见原因。用户之前问过关于@GenericGenerator的使用,可能他们在自定义主键生成时出了问题。 首先,这个错误通常是因为Hibernate在保存实体时,发现主键(identifier)为null。可能的原因包括主键生成策略配置错误、实体类的主键字段没有被正确初始化,或者在事务之外操作Session等。 接下来,我需要分步骤分析可能的原因。比如,检查是否忘记在主键字段上添加@GeneratedValue,或者@GenericGenerator的配置是否正确。比如用户可能配置了自定义生成器,但生成器没有正确生成ID,导致保存时主键为空。 然后,考虑数据库的ID生成策略是否支持。例如,使用AUTO_INCREMENT的数据库表,但Hibernate配置可能错误地使用了SEQUENCE,或者相反。此外,事务管理的问题也可能导致Session使用不当,比如在非事务环境下调用了save方法,导致Hibernate无法正确生成ID。 还要想到实体类的主键类型是否匹配。例如,数据库中的主键是数字类型,但实体类中定义的是String类型,导致转换失败,生成null。或者自定义生成器返回了null,这时候需要检查生成器的逻辑。 然后,用户可能需要查看堆栈跟踪,确定错误发生的具体位置。比如,是否在调用save()或flush()时触发了断言失败。如果是自定义生成器的问题,可能需要调试生成器的代码,确保其正确生成非空的ID。 另外,Hibernate的版本兼容性也是一个因素。用户可能在使用旧版的Hibernate时遇到了已知的问题,或者配置方式在新版中有所变化,导致策略失效。 最后,我需要将这些可能的原因整理成清晰的解决步骤,帮助用户逐一排查,并提供示例代码,比如如何正确配置@GenericGenerator和@GeneratedValue,如何确保事务管理正确,以及如何检查自定义生成器的实现。</think>--- **错误 `HHH000099: null identifier` 通常表示 Hibernate 在保存实体时检测到主键(identifier)为 `null`,违反了实体主键的非空约束。以下是逐步排查和解决方案:** --- ### **1. 常见原因** - **主键生成策略未生效**:未正确配置 `@GeneratedValue` 或生成器逻辑错误。 - **手动赋值主键**:代码中手动将主键设为 `null`,但未使用生成策略。 - **事务或 Session 使用不当**:在非事务环境下操作实体,或 Session 生命周期管理错误。 - **自定义生成器返回 `null`**:自定义的 `IdentifierGenerator` 未正确生成主键。 --- ### **2. 逐步排查与解决** #### **(1) 检查主键生成策略配置** 确保主键字段正确使用 `@GeneratedValue` 和生成器(如 `@GenericGenerator`): ```java @Entity public class User { @Id @GeneratedValue(generator = "uuid") // 确保与 @GenericGenerator 的 name 一致 @GenericGenerator(name = "uuid", strategy = "uuid2") // 使用正确的策略 private String id; // 主键类型需与生成策略匹配(如 UUID 对应 String) } ``` - **关键点**:`strategy` 必须有效(如 `uuid2`、`sequence`),且主键类型匹配(如 UUID 用 `String`,自增用 `Long`)。 #### **(2) 避免手动赋值主键** 如果使用生成策略,**不要手动设置主键**: ```java User user = new User(); user.setId(null); // 错误!应删除此行,由 Hibernate 自动生成 session.save(user); ``` #### **(3) 验证事务管理** 确保数据库操作在事务内执行,避免因事务未提交导致意外行为: ```java Session session = sessionFactory.openSession(); Transaction tx = session.beginTransaction(); // 必须开启事务 try { User user = new User(); session.save(user); tx.commit(); // 提交事务 } catch (Exception e) { tx.rollback(); // 回滚 } ``` #### **(4) 检查自定义生成器逻辑** 若使用自定义 `IdentifierGenerator`,确保其 `generate()` 方法返回非空值: ```java public class CustomIdGenerator implements IdentifierGenerator { @Override public Serializable generate(SharedSessionContractImplementor session, Object obj) { // 返回非空值,如时间戳 + 随机数 return "ID-" + System.currentTimeMillis(); } } // 实体类配置 @GenericGenerator(name = "custom-gen", strategy = "com.example.CustomIdGenerator") @GeneratedValue(generator = "custom-gen") private String id; ``` #### **(5) 检查数据库表结构** 确保数据库表的主键列允许自动生成值(如自增、序列等): - **MySQL**:主键应为 `AUTO_INCREMENT`。 - **PostgreSQL**:主键应绑定到 `SEQUENCE`。 - **示例 DDL**: ```sql CREATE TABLE user ( id VARCHAR(36) PRIMARY KEY DEFAULT (UUID()), -- 若使用 UUID -- 或 id BIGINT PRIMARY KEY AUTO_INCREMENT ); ``` --- ### **3. 其他可能性** #### **(1) 延迟写入问题** Hibernate 可能在 `flush()` 时才检测主键,检查是否过早访问了未生成的主键: ```java User user = new User(); session.save(user); System.out.println(user.getId()); // 此时可能为 null session.flush(); // 强制写入数据库,生成主键 System.out.println(user.getId()); // 此处应有值 ``` #### **(2) 版本兼容性** - **Hibernate 5+**:部分旧版策略(如 `hilo`)已废弃,改用 `@SequenceStyleGenerator`。 - **依赖冲突**:检查 `hibernate-core` 版本是否与其他 JPA 依赖冲突。 --- ### **4. 调试步骤** 1. **启用 Hibernate 日志**:在 `application.properties` 中添加: ```properties spring.jpa.show-sql=true logging.level.org.hibernate=DEBUG ``` 2. **检查生成的 SQL**:确认插入语句是否包含主键值。 3. **断点调试**:在 `IdentifierGenerator.generate()` 方法或实体构造函数中打断点,观察主键赋值过程。 --- ### **总结** 通过检查生成策略、事务管理、自定义生成器逻辑和数据库表结构,通常可以定位并解决 `null identifier` 问题。若问题仍存在,建议提供完整的主键配置代码和实体类定义进一步分析。
阅读全文

相关推荐

使用public String login(String account, String password) { Users users = usersRepository.findByAccountAndPassword(account, cryptoUtil.sha256(password)).orElseThrow(() -> new RuntimeException("用户名或密码错误")); Date expiredTime = Date.from(LocalDateTime.now().plusSeconds(3600).atZone(ZoneId.systemDefault()).toInstant()); users.setLastActiveTime(expiredTime); usersRepository.save(users); TokenPool tokenPool = tokenPoolRepository.findByUserId(users.getId()).orElseGet(() -> TokenPool.builder().id(UUID.randomUUID()).creationTime(new Date()).longTerm(false).user(users).build()); tokenPool.setExpiredTime(expiredTime); tokenPoolRepository.save(tokenPool); return tokenPool.getId().toString(); }新增TokenPool时报错[2025-03-21 16:30:23] --- [http-nio-8080-exec-4] : [ERROR] >>> HHH000099: an assertion failure occurred (this may indicate a bug in Hibernate, but is more likely due to unsafe use of the session): org.hibernate.AssertionFailure: non-transient entity has a null id: indi.backend.repository.entity.Users [2025-03-21 16:30:23] --- [http-nio-8080-exec-4] : [ERROR] >>> ------------------------------ START ERROR LOG ------------------------------ [2025-03-21 16:30:23] --- [http-nio-8080-exec-4] : [ERROR] >>> 访问URL路径【/authentication/login】时发生异常 [2025-03-21 16:30:23] --- [http-nio-8080-exec-4] : [ERROR] >>> 异常类【org.hibernate.AssertionFailure】 [2025-03-21 16:30:23] --- [http-nio-8080-exec-4] : [ERROR] >>> 异常描述【未知错误,请查看日志】 [2025-03-21 16:30:23] --- [http-nio-8080-exec-4] : [ERROR] >>> 异常解析【non-transient entity has a null id: indi.backend.repository.entity.Users】 [2025-03-21 16:30:23] --- [http-nio-8080-exec-4] : [ERROR] >>> ------------------------------- END ERROR LOG -------------------------------

idea重装之后,本来可以跑的项目突然报错,请解释一下这个报错的原因,给出解决办法:Co Application (2) 2025-05-07 13:59:51.527 INFO 1784 --- main] org .hibernate . dialect.Dialect HHH000400: Using dialect: org.hib E↓ Co Application (3) 2025 - 05-0713:59:51. 619 ERROR 1784 main] org. hibernate . AssertionFailure HHH000099: an assertion failure 0 9 Application (4)Docker » org . hibernate . AssertionFailure Create breakpoint : AttributeConverter class [class com. online. table. core . entity . component .ListF ormulaConv.at org . springframework . orm . jpa . vendor . SpringHibernateJpaPersistenceProvider . createContainerEntityManagerFactory (SprinqHibernateJpat org. springframework. orm. jpa . LocalContainerEntityManagerFactoryBean. createNativeEntityManagerFactory(LocalContainerEntityManageat org . springframework . orm . jpa . AbstractEntityManagerFactoryBean . buildNativeEntityManagerFactory (AbstractEntityManaqerFactoryBean .at org. springframework . orm . jpa . AbstractEntityManagerFactoryBean. afterPropertiesSet (AbstractEntityManagerFactoryBean . java:377) [spat org . springframework . orm . jpa . LocalContainerEntityManagerFactoryBean . af terPropertiesSet (LocalContainerEntityManagerFactoryBean. iat org . springframework . beans . factory . support . AbstractAutowireCapableBeanFactory . invoke InitMethods (AbstractAutowireCapableBeanFactat org. springframework. beans . factory . support . AbstractAutowireCapableBeanFactory . initializeBean(AbstractAutowireCapableBeanFactoryat org . springframework . beans . factory . support . AbstractAutowireCapableBeanF actory . doCreateBean(AbstractAutowireCapableBeanFactory.iat org. springframework. beans . factory . support . AbstractAutowireCapableBeanFactory . createBean (AbstractAutowireCapableBeanFactory . javat org . spr ingframework . beans. factory . support. AbstractBeanFactory . lambda$doGetBean$0(AbstractBeanFactory. java:317) [ spr ing- beans-at org. springframework . beans . factory . support . DefaultSingletonBeanRegistry . getSingleton(DefaultSingletonBeanReqistry. java:228) at org. springframework . beans. factory . support. AbstractBeanFactory . doGetBean(AbstractBeanFactory. java:315) [spring-beans-5.0.5. RELat org . springframework . beans . factory . support . AbstractBeanFactory . getBean(AbstractBeanFactory. java:199) [spring-beans-5.0.5. RELEASat org. springframework . context . support . Abstrac tApplicationContext . getBean(AbstractApplicationContext . java:1089) ~[spring- context-at org. springframework . context . support . Abs tractApplicat ionContext. f inishBeanFactoryInitialization(AbstractApplicationContext. javaat org . springframework . context . support . AbstractApplicationContext . refresh(AbstractApplicationContext. java:550) ~[spring-context-5at org. springframework . boot. web . servlet. context. ServletWebServerApplicationContext . refresh(ServletWebServerApplicationContext. javat org . springframework. boot . SpringApplication . refresh(SprinqApplication. java:759) ~[spring-boot-2. 0.1. RELEASE . jar:2.0.1. RELEASE]at org. springframework . boot . SpringApplication. refreshContext (SprinqApplication . java:395) ~[spring-boot -2.0.1. RELEASE. jar:2.0.1.REat nnn enni nnframownrk hnnt SnninnAnn1 iratinn rinfSnrinnAnnl iratinn iava· 3271 ~r ennin-hnnt-2 A 1 RFI FASF iar·7 A 1 RFI FASF1

iot-database | 2025-07-04T08:35:21.579433Z 0 [Note] InnoDB: If the mysqld execution user is authorized, page cleaner thread priority can be changed. See the man page of setpriority(). iot-database | 2025-07-04T08:35:21.591130Z 0 [ERROR] [FATAL] InnoDB: Table flags are 0 in the data dictionary but the flags in file ./ibdata1 are 0x4800! iot-database | 2025-07-04 08:35:21 0x7fb876c66880 InnoDB: Assertion failure in thread 140430243424384 in file ut0ut.cc line 921 iot-database | InnoDB: We intentionally generate a memory trap. iot-database | InnoDB: Submit a detailed bug report to http://bugs.mysql.com. iot-database | InnoDB: If you get repeated assertion failures or crashes, even iot-database | InnoDB: immediately after the mysqld startup, there may be iot-database | InnoDB: corruption in the InnoDB tablespace. Please refer to iot-database | InnoDB: http://dev.mysql.com/doc/refman/5.7/en/forcing-innodb-recovery.html iot-database | InnoDB: about forcing recovery. iot-database | 08:35:21 UTC - mysqld got signal 6 ; iot-database | This could be because you hit a bug. It is also possible that this binary iot-database | or one of the libraries it was linked against is corrupt, improperly built, iot-database | or misconfigured. This error can also be caused by malfunctioning hardware. iot-database | Attempting to collect some information that could help diagnose the problem. iot-database | As this is a crash and something is definitely wrong, the information iot-database | collection process might fail.

/*********************************************************************************************************************** * MISRA DEVIATIONS **********************************************************************************************************************/ /* Module specific MISRA deviations: MD_FblMain_0303_0306: Reason: Casting of integer to pointer type is required due to memory mapped registers. Risk: The size of integer required to hold the result of a pointer cast is implementation defined. Prevention: The size of the respective integer data type which holds the address value is adapted on a hardware specific basis. MD_FblMain_1006: Reason: Assembler code is used to deactivate interrupts and set context information. Risk: The code is not portable for different compilers. Prevention: The assembler code provided by each FblHw module has to be tested. MD_FblMain_2214: Reason: Assertion macros have to be disabled in production code and are used only for development. Risk: Assertion code may be enabled in production code unintentionally. If a assertion condition is unexpectedly false, the code is active. A problem may occur if the Macro is additionally changed from single statement to multiple statement. Prevention: Macro is not allowed to be changed without review. Development code is automatically disabled via configuration of project state "Production". MD_FblMain_5013: Reason: The Vector standard API for main function follows ANSI C typical definition of main function returning int. Risk: No identifiable risk. Prevention: No prevention required. MD_FblMain_FblHeader: Reason: A memory address is compared to a configured value. The configured value is interpreted as an integer. Risk: The comparison may fail due to different data types. Prevention: If this check fails, the configuration checks done by assertions have to verified manually. */

2025-05-30 13:31:53.971 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:31:53.973 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:31:53.975 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:31:53.986 [NOTICE] Opening Socks listener on 127.0.0.1:9150 2025-05-30 13:31:53.986 [NOTICE] Opened Socks listener connection (ready) on 127.0.0.1:9150 2025-05-30 13:31:55.180 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:31:55.181 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:31:55.181 [NOTICE] Bootstrapped 1% (conn_pt): Connecting to pluggable transport 2025-05-30 13:31:55.192 [NOTICE] Bootstrapped 2% (conn_done_pt): Connected to pluggable transport 2025-05-30 13:31:55.448 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:31:55.450 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:31:55.845 [NOTICE] Bootstrapped 10% (conn_done): Connected to a relay 2025-05-30 13:31:55.846 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:31:55.846 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:31:55.846 [ERR] libevent call with win32 failed: Invalid argument [WSAEINVAL ] [10022] 2025-05-30 13:32:18.354 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:32:18.356 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:32:18.358 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:32:27.362 [NOTICE] Opening Socks listener on 127.0.0.1:9150 2025-05-30 13:32:27.362 [NOTICE] Opened Socks listener connection (ready) on 127.0.0.1:9150 2025-05-30 13:32:28.624 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:32:28.625 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:32:28.625 [NOTICE] Bootstrapped 1% (conn_pt): Connecting to pluggable transport 2025-05-30 13:32:28.626 [NOTICE] Bootstrapped 2% (conn_done_pt): Connected to pluggable transport 2025-05-30 13:32:29.041 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:29.045 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:29.220 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:29.220 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:29.363 [NOTICE] Bootstrapped 10% (conn_done): Connected to a relay 2025-05-30 13:32:29.605 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:29.605 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:29.617 [NOTICE] Bootstrapped 14% (handshake): Handshaking with a relay 2025-05-30 13:32:29.876 [NOTICE] Bootstrapped 15% (handshake_done): Handshake with a relay done 2025-05-30 13:32:29.877 [NOTICE] Bootstrapped 20% (onehop_create): Establishing an encrypted directory connection 2025-05-30 13:32:30.121 [NOTICE] Bootstrapped 25% (requesting_status): Asking for networkstatus consensus 2025-05-30 13:32:30.148 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:30.149 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:30.445 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:32:30.445 [NOTICE] new bridge descriptor 'Bridge' (fresh): $23958FC105E58061AFD2DECC61D363F28AB36490~Bridge [ar26PaMvMtnp3TVPVc6VmFRSl/+bMf/59xuRvLdSCQk] at 212.132.102.214 and [2001:db8:259c:faa6:24a9:cce0:c60f:4642] 2025-05-30 13:32:30.618 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:30.619 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:31.059 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:31.060 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:32.101 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:32.101 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:32.707 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:32.707 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:33.164 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:33.164 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:34.181 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:34.182 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:35.212 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:35.213 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:37.207 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:37.208 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:37.739 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:37.740 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:41.253 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:41.254 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:44.903 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:44.981 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:50.660 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:32:50.662 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:32:50.664 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:32:50.672 [NOTICE] Opening Socks listener on 127.0.0.1:9150 2025-05-30 13:32:50.672 [NOTICE] Opened Socks listener connection (ready) on 127.0.0.1:9150 2025-05-30 13:32:51.905 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:32:51.906 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:32:51.906 [NOTICE] Bootstrapped 1% (conn_pt): Connecting to pluggable transport 2025-05-30 13:32:51.912 [NOTICE] Bootstrapped 2% (conn_done_pt): Connected to pluggable transport 2025-05-30 13:32:51.989 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:51.991 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:52.513 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:52.514 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:52.778 [NOTICE] Bootstrapped 10% (conn_done): Connected to a relay 2025-05-30 13:32:52.881 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:52.882 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:53.048 [NOTICE] Bootstrapped 14% (handshake): Handshaking with a relay 2025-05-30 13:32:53.308 [NOTICE] Bootstrapped 15% (handshake_done): Handshake with a relay done 2025-05-30 13:32:53.308 [NOTICE] Bootstrapped 20% (onehop_create): Establishing an encrypted directory connection 2025-05-30 13:32:53.362 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:53.362 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:53.572 [NOTICE] Bootstrapped 25% (requesting_status): Asking for networkstatus consensus 2025-05-30 13:32:53.835 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:32:54.293 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:54.294 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:54.803 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:54.804 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:32:55.360 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:55.361 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:57.333 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:32:57.333 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:32:57.895 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:32:57.896 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:33:00.290 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:33:00.294 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:33:02.388 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:33:02.388 [NOTICE] new bridge descriptor 'bauruine' (fresh): $16D0EF186DA080CE7A4968072920E08CA7729AED~bauruine [I/qM7fRZmL/uq60qzGEoQLNxmhleywJ5H/FY3yCHTDI] at 95.214.53.96 and [2001:db8:cb62:8f57:5a43:d9d0:a488:27e2] 2025-05-30 13:33:03.341 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:33:03.342 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:33:04.827 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:33:04.827 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:33:08.407 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:33:08.408 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:33:12.967 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 93.174.85.219:8081 ID=<none> RSA_ID=FC012059FC8E77C56CE0D049199BBD136109CDE3 ("general SOCKS server failure") 2025-05-30 13:33:12.970 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 34.219.243.226:60002 ID=<none> RSA_ID=89603E5FEB695C433FB8FE47C39594DE555C3429 ("general SOCKS server failure") 2025-05-30 13:33:12.970 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 115.69.44.202:10022 ID=<none> RSA_ID=0AAC6B82A6CCDAF3381A0F3CD4B39BCF1D79985F ("general SOCKS server failure") 2025-05-30 13:33:12.971 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 189.10.119.163:9090 ID=<none> RSA_ID=EE7595ED9D6370212C78F1CC18263361F0A2C815 ("general SOCKS server failure") 2025-05-30 13:33:12.971 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 149.248.76.98:8888 ID=<none> RSA_ID=CCD49779E3F9466BD4DDE3D7B256A2A173954F41 ("general SOCKS server failure") 2025-05-30 13:33:12.971 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 185.45.226.2:33533 ID=<none> RSA_ID=30E95F3BC992773E2F1E81CF420B149F651E4806 ("general SOCKS server failure") 2025-05-30 13:33:12.972 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 45.129.185.197:80 ID=<none> RSA_ID=9FED9B691AA5C25A42690EC5AB0CB6BF9ABB95F0 ("general SOCKS server failure") 2025-05-30 13:33:12.977 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing signaling.privacy-vbox.de:443: dial tcp 141.147.13.151:443: connectex: A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond. 2025-05-30 13:33:12.979 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:8e11:37cf:5167:5fce:4650:c2f8]:443 ID=<none> RSA_ID=5AE50E81167318FE0A152D4F050C839DB42AB9B8 ("general SOCKS server failure") 2025-05-30 13:33:14.595 [NOTICE] Bootstrapped 75% (enough_dirinfo): Loaded enough directory info to build circuits 2025-05-30 13:33:14.595 [NOTICE] Bootstrapped 90% (ap_handshake_done): Handshake finished with a relay to build circuits 2025-05-30 13:33:14.595 [NOTICE] Bootstrapped 95% (circuit_create): Establishing a Tor circuit 2025-05-30 13:33:15.153 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:33:15.155 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:33:15.495 [NOTICE] Bootstrapped 100% (done): Done 2025-05-30 13:33:16.258 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:33:16.258 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:33:25.182 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:33:25.183 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:33:27.540 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:33:27.540 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:33:31.203 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:33:31.205 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:33:35.633 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 189.10.119.163:9090 ID=<none> RSA_ID=EE7595ED9D6370212C78F1CC18263361F0A2C815 ("general SOCKS server failure") 2025-05-30 13:33:39.199 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 34.219.243.226:60002 ID=<none> RSA_ID=89603E5FEB695C433FB8FE47C39594DE555C3429 ("general SOCKS server failure") 2025-05-30 13:33:39.965 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 115.69.44.202:10022 ID=<none> RSA_ID=0AAC6B82A6CCDAF3381A0F3CD4B39BCF1D79985F ("general SOCKS server failure") 2025-05-30 13:33:41.032 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 93.174.85.219:8081 ID=<none> RSA_ID=FC012059FC8E77C56CE0D049199BBD136109CDE3 ("general SOCKS server failure") 2025-05-30 13:33:42.207 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:33:42.208 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:33:44.126 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing signaling.privacy-vbox.de:443: dial tcp 141.147.13.151:443: connectex: A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond. 2025-05-30 13:33:44.127 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:8e11:37cf:5167:5fce:4650:c2f8]:443 ID=<none> RSA_ID=5AE50E81167318FE0A152D4F050C839DB42AB9B8 ("general SOCKS server failure") 2025-05-30 13:33:45.180 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 185.45.226.2:33533 ID=<none> RSA_ID=30E95F3BC992773E2F1E81CF420B149F651E4806 ("general SOCKS server failure") 2025-05-30 13:33:47.064 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 45.129.185.197:80 ID=<none> RSA_ID=9FED9B691AA5C25A42690EC5AB0CB6BF9ABB95F0 ("general SOCKS server failure") 2025-05-30 13:33:50.272 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 149.248.76.98:8888 ID=<none> RSA_ID=CCD49779E3F9466BD4DDE3D7B256A2A173954F41 ("general SOCKS server failure") 2025-05-30 13:33:54.208 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:33:54.209 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:03.144 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 93.174.85.219:8081 ID=<none> RSA_ID=FC012059FC8E77C56CE0D049199BBD136109CDE3 ("general SOCKS server failure") 2025-05-30 13:34:04.875 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:34:04.875 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:34:10.471 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:34:10.473 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:34:10.475 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:34:10.482 [NOTICE] Opening Socks listener on 127.0.0.1:9150 2025-05-30 13:34:10.483 [NOTICE] Opened Socks listener connection (ready) on 127.0.0.1:9150 2025-05-30 13:34:11.741 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:34:11.741 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:34:11.741 [NOTICE] Bootstrapped 1% (conn_pt): Connecting to pluggable transport 2025-05-30 13:34:11.742 [NOTICE] Bootstrapped 2% (conn_done_pt): Connected to pluggable transport 2025-05-30 13:34:11.817 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:11.819 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:12.338 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:34:12.339 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:34:12.588 [NOTICE] Bootstrapped 10% (conn_done): Connected to a relay 2025-05-30 13:34:12.650 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:12.651 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:12.864 [NOTICE] Bootstrapped 14% (handshake): Handshaking with a relay 2025-05-30 13:34:13.134 [NOTICE] Bootstrapped 15% (handshake_done): Handshake with a relay done 2025-05-30 13:34:13.135 [NOTICE] Bootstrapped 20% (onehop_create): Establishing an encrypted directory connection 2025-05-30 13:34:13.138 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:34:13.139 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:34:13.406 [NOTICE] Bootstrapped 25% (requesting_status): Asking for networkstatus consensus 2025-05-30 13:34:13.674 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:34:13.689 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:13.690 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:14.221 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:34:14.221 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:34:15.676 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:15.678 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:16.161 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:34:16.163 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:34:19.217 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:34:19.219 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:34:19.537 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:34:19.749 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:19.749 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:25.762 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:25.763 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:27.319 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:34:27.320 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:34:32.828 [NOTICE] Bootstrapped 75% (enough_dirinfo): Loaded enough directory info to build circuits 2025-05-30 13:34:32.828 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing signaling.privacy-vbox.de:443: dial tcp 141.147.13.151:443: connectex: A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond. 2025-05-30 13:34:33.423 [NOTICE] Bootstrapped 90% (ap_handshake_done): Handshake finished with a relay to build circuits 2025-05-30 13:34:33.423 [NOTICE] Bootstrapped 95% (circuit_create): Establishing a Tor circuit 2025-05-30 13:34:33.424 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 185.45.226.2:33533 ID=<none> RSA_ID=30E95F3BC992773E2F1E81CF420B149F651E4806 ("general SOCKS server failure") 2025-05-30 13:34:33.424 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 115.69.44.202:10022 ID=<none> RSA_ID=0AAC6B82A6CCDAF3381A0F3CD4B39BCF1D79985F ("general SOCKS server failure") 2025-05-30 13:34:33.424 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:8e11:37cf:5167:5fce:4650:c2f8]:443 ID=<none> RSA_ID=5AE50E81167318FE0A152D4F050C839DB42AB9B8 ("general SOCKS server failure") 2025-05-30 13:34:33.424 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 45.129.185.197:80 ID=<none> RSA_ID=9FED9B691AA5C25A42690EC5AB0CB6BF9ABB95F0 ("general SOCKS server failure") 2025-05-30 13:34:33.424 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 189.10.119.163:9090 ID=<none> RSA_ID=EE7595ED9D6370212C78F1CC18263361F0A2C815 ("general SOCKS server failure") 2025-05-30 13:34:33.424 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 93.174.85.219:8081 ID=<none> RSA_ID=FC012059FC8E77C56CE0D049199BBD136109CDE3 ("general SOCKS server failure") 2025-05-30 13:34:33.424 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 149.248.76.98:8888 ID=<none> RSA_ID=CCD49779E3F9466BD4DDE3D7B256A2A173954F41 ("general SOCKS server failure") 2025-05-30 13:34:33.424 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 34.219.243.226:60002 ID=<none> RSA_ID=89603E5FEB695C433FB8FE47C39594DE555C3429 ("general SOCKS server failure") 2025-05-30 13:34:33.490 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:33.492 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:34.299 [NOTICE] Bootstrapped 100% (done): Done 2025-05-30 13:34:47.473 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:34:47.474 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:34:48.202 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:48.203 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:54.993 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 34.219.243.226:60002 ID=<none> RSA_ID=89603E5FEB695C433FB8FE47C39594DE555C3429 ("general SOCKS server failure") 2025-05-30 13:34:55.958 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing signaling.privacy-vbox.de:443: dial tcp 141.147.13.151:443: connectex: A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond. 2025-05-30 13:34:56.039 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:8e11:37cf:5167:5fce:4650:c2f8]:443 ID=<none> RSA_ID=5AE50E81167318FE0A152D4F050C839DB42AB9B8 ("general SOCKS server failure") 2025-05-30 13:34:56.039 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 185.45.226.2:33533 ID=<none> RSA_ID=30E95F3BC992773E2F1E81CF420B149F651E4806 ("general SOCKS server failure") 2025-05-30 13:34:58.132 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 189.10.119.163:9090 ID=<none> RSA_ID=EE7595ED9D6370212C78F1CC18263361F0A2C815 ("general SOCKS server failure") 2025-05-30 13:34:58.132 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 115.69.44.202:10022 ID=<none> RSA_ID=0AAC6B82A6CCDAF3381A0F3CD4B39BCF1D79985F ("general SOCKS server failure") 2025-05-30 13:34:59.053 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 93.174.85.219:8081 ID=<none> RSA_ID=FC012059FC8E77C56CE0D049199BBD136109CDE3 ("general SOCKS server failure") 2025-05-30 13:34:59.114 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:34:59.114 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:34:59.962 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 149.248.76.98:8888 ID=<none> RSA_ID=CCD49779E3F9466BD4DDE3D7B256A2A173954F41 ("general SOCKS server failure") 2025-05-30 13:35:01.950 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with 45.129.185.197:80 ID=<none> RSA_ID=9FED9B691AA5C25A42690EC5AB0CB6BF9ABB95F0 ("general SOCKS server failure") 2025-05-30 13:35:04.597 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:04.597 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:05.158 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:05.159 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:12.248 [WARN] tor_bug_occurred_: Bug: conflux_util.h:31: CIRCUIT_IS_CONFLUX: Non-fatal assertion circ->purpose != CIRCUIT_PURPOSE_CONFLUX_LINKED failed. (on Tor 0.4.8.16 64ccafd8115ecdec) 2025-05-30 13:35:12.248 [WARN] Bug: Tor 0.4.8.16 (git-64ccafd8115ecdec): Non-fatal assertion circ->purpose != CIRCUIT_PURPOSE_CONFLUX_LINKED failed in CIRCUIT_IS_CONFLUX at conflux_util.h:31. (Stack trace not available) (on Tor 0.4.8.16 64ccafd8115ecdec) 2025-05-30 13:35:12.248 [WARN] tor_bug_occurred_: Bug: conflux_util.h:31: CIRCUIT_IS_CONFLUX: Non-fatal assertion circ->purpose != CIRCUIT_PURPOSE_CONFLUX_LINKED failed. (on Tor 0.4.8.16 64ccafd8115ecdec) 2025-05-30 13:35:12.248 [WARN] Bug: Tor 0.4.8.16 (git-64ccafd8115ecdec): Non-fatal assertion circ->purpose != CIRCUIT_PURPOSE_CONFLUX_LINKED failed in CIRCUIT_IS_CONFLUX at conflux_util.h:31. (Stack trace not available) (on Tor 0.4.8.16 64ccafd8115ecdec) 2025-05-30 13:35:13.157 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:13.157 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:17.089 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:8e11:37cf:5167:5fce:4650:c2f8]:443 ID=<none> RSA_ID=5AE50E81167318FE0A152D4F050C839DB42AB9B8 ("general SOCKS server failure") 2025-05-30 13:35:17.089 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing signaling.privacy-vbox.de:443: dial tcp 141.147.13.151:443: connectex: A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond. 2025-05-30 13:35:23.087 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:35:23.090 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:35:23.093 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:35:23.100 [NOTICE] Opening Socks listener on 127.0.0.1:9150 2025-05-30 13:35:23.100 [NOTICE] Opened Socks listener connection (ready) on 127.0.0.1:9150 2025-05-30 13:35:23.848 [NOTICE] Application request when we haven't used client functionality lately. Optimistically trying known bridges again. 2025-05-30 13:35:24.267 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:35:24.267 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:35:24.267 [NOTICE] Bootstrapped 1% (conn_pt): Connecting to pluggable transport 2025-05-30 13:35:24.269 [NOTICE] Bootstrapped 2% (conn_done_pt): Connected to pluggable transport 2025-05-30 13:35:24.340 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:24.343 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:24.900 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:24.900 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:24.906 [NOTICE] Bootstrapped 10% (conn_done): Connected to a relay 2025-05-30 13:35:25.187 [NOTICE] Bootstrapped 14% (handshake): Handshaking with a relay 2025-05-30 13:35:25.251 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:25.252 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:25.449 [NOTICE] Bootstrapped 15% (handshake_done): Handshake with a relay done 2025-05-30 13:35:25.449 [NOTICE] Bootstrapped 20% (onehop_create): Establishing an encrypted directory connection 2025-05-30 13:35:25.714 [NOTICE] Bootstrapped 25% (requesting_status): Asking for networkstatus consensus 2025-05-30 13:35:25.752 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:25.752 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:25.924 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:35:26.250 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:26.251 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:26.797 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:26.799 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:27.278 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:32.632 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:35:32.634 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:35:32.636 [NOTICE] DisableNetwork is set. Tor will not make or accept non-control network connections. Shutting down all existing connections. 2025-05-30 13:35:32.643 [NOTICE] Opening Socks listener on 127.0.0.1:9150 2025-05-30 13:35:32.644 [NOTICE] Opened Socks listener connection (ready) on 127.0.0.1:9150 2025-05-30 13:35:33.889 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:35:33.889 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:35:33.889 [NOTICE] Bootstrapped 1% (conn_pt): Connecting to pluggable transport 2025-05-30 13:35:33.894 [NOTICE] Bootstrapped 2% (conn_done_pt): Connected to pluggable transport 2025-05-30 13:35:33.964 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:33.967 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:34.488 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:34.493 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:34.497 [NOTICE] Bootstrapped 10% (conn_done): Connected to a relay 2025-05-30 13:35:34.735 [NOTICE] Bootstrapped 14% (handshake): Handshaking with a relay 2025-05-30 13:35:34.797 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:34.799 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:34.925 [NOTICE] Bootstrapped 15% (handshake_done): Handshake with a relay done 2025-05-30 13:35:34.926 [NOTICE] Bootstrapped 20% (onehop_create): Establishing an encrypted directory connection 2025-05-30 13:35:35.117 [NOTICE] Bootstrapped 25% (requesting_status): Asking for networkstatus consensus 2025-05-30 13:35:35.279 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:35.280 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:35.311 [NOTICE] Bridge 'Bridge' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:259c:faa6:24a9:cce0:c60f:4642]:443) based on the configured Bridge address. 2025-05-30 13:35:36.797 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:36.798 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:37.295 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:37.297 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:39.795 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:39.795 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:42.308 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:42.309 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:46.133 [NOTICE] Bridge 'bauruine' has both an IPv4 and an IPv6 address. Will prefer using its IPv6 address ([2001:db8:cb62:8f57:5a43:d9d0:a488:27e2]:443) based on the configured Bridge address. 2025-05-30 13:35:46.354 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:46.355 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure") 2025-05-30 13:35:47.012 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: error dialing arinalee.amelia.ec:443: dial tcp: lookup arinalee.amelia.ec: no such host 2025-05-30 13:35:47.012 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:2e6a:63f2:456a:1cc0:690e:d78d]:443 ID=<none> RSA_ID=C05C827E5A85ACAE4CD73A8A5C0FA1E8EDFA4FAD ("general SOCKS server failure") 2025-05-30 13:35:49.427 [ERR] Managed proxy "TorBrowser\Tor\PluggableTransports\lyrebird.exe": Error dialing: unrecognized reply 2025-05-30 13:35:49.429 [WARN] Proxy Client: unable to connect OR connection (handshaking (proxy)) with [2001:db8:f55d:9607:2c09:5e8c:32de:9a7f]:443 ID=<none> RSA_ID=F1CF5DE3C36E879573C87295017AE25E60183EEA ("general SOCKS server failure")

jetauto@jetauto-desktop:~/jetauto_ws/src/jetauto_example/scripts/yolov5_detect$ python3 xwc.py [10/29/2024-18:41:42] [TRT] [I] [MemUsageChange] Init CUDA: CPU +224, GPU +0, now: CPU 265, GPU 3416 (MiB) [10/29/2024-18:41:42] [TRT] [I] Loaded engine size: 22 MiB [10/29/2024-18:41:47] [TRT] [I] [MemUsageChange] Init cuBLAS/cuBLASLt: CPU +158, GPU +36, now: CPU 452, GPU 3479 (MiB) [10/29/2024-18:41:53] [TRT] [I] [MemUsageChange] Init cuDNN: CPU +240, GPU -12, now: CPU 692, GPU 3467 (MiB) [10/29/2024-18:41:53] [TRT] [I] [MemUsageChange] TensorRT-managed allocation in engine deserialization: CPU +0, GPU +21, now: CPU 0, GPU 21 (MiB) [10/29/2024-18:41:53] [TRT] [I] [MemUsageChange] Init cuBLAS/cuBLASLt: CPU +0, GPU +0, now: CPU 670, GPU 3445 (MiB) [10/29/2024-18:41:53] [TRT] [I] [MemUsageChange] Init cuDNN: CPU +0, GPU +0, now: CPU 670, GPU 3445 (MiB) [10/29/2024-18:41:53] [TRT] [I] [MemUsageChange] TensorRT-managed allocation in IExecutionContext creation: CPU +0, GPU +34, now: CPU 0, GPU 55 (MiB) bingding: data (3, 480, 640) bingding: prob (38001, 1, 1) (python3:31020): GStreamer-CRITICAL **: 18:41:55.346: Trying to dispose element pipeline0, but it is in READY instead of the NULL state. You need to explicitly set elements to the NULL state before dropping the final reference, to allow them to clean up. This problem may also be caused by a refcounting bug in the application or some element. [ WARN:[email protected]] global /home/jetauto/opencv/modules/videoio/src/cap_gstreamer.cpp (1356) open OpenCV | GStreamer warning: unable to start pipeline (python3:31020): GStreamer-CRITICAL **: 18:41:55.347: Trying to dispose element videoconvert0, but it is in PAUSED instead of the NULL state. You need to explicitly set elements to the NULL state before dropping the final reference, to allow them to clean up. This problem may also be caused by a refcounting bug in the application or some element. [ WARN:[email protected]] global /home/jetauto/opencv/modules/videoio/src/cap_gstreamer.cpp (862) isPipelinePlaying OpenCV | GStreamer warning: GStreamer: pipeline have not been created (python3:31020): GStreamer-CRITICAL **: 18:41:55.347: Trying to dispose element appsink0, but it is in READY instead of the NULL state. You need to explicitly set elements to the NULL state before dropping the final reference, to allow them to clean up. This problem may also be caused by a refcounting bug in the application or some element. (python3:31020): GStreamer-CRITICAL **: 18:41:55.350: gst_element_post_message: assertion 'GST_IS_ELEMENT (element)' failed ^CTraceback (most recent call last): File "xwc.py", line 431, in <module> boxes, scores, classid = yolov5_wrapper.infer(frame) File "xwc.py", line 153, in infer input_image, image_raw, origin_h, origin_w = self.preprocess_image(raw_image_generator) File "xwc.py", line 264, in preprocess_image image = np.transpose(image, [2, 0, 1]) File "<__array_function__ internals>", line 6, in transpose File "/usr/local/lib/python3.6/dist-packages/numpy/core/fromnumeric.py", line 653, in transpose return _wrapfunc(a, 'transpose', axes) KeyboardInterrupt ------------------------------------------------------------------- PyCUDA ERROR: The context stack was not empty upon module cleanup. ------------------------------------------------------------------- A context was still active when the context stack was being cleaned up. At this point in our execution, CUDA may already have been deinitialized, so there is no way we can finish cleanly. The program will be aborted now. Use Context.pop() to avoid this problem. 解释

(Eclipse:161637): Gtk-WARNING **: 14:36:19.465: Negative content width -2 (allocation 16, extents 9x9) while allocating gadget (node entry, owner GtkEntry) (Eclipse:161637): Gtk-CRITICAL **: 14:36:23.542: gtk_box_gadget_distribute: assertion 'size >= 0' failed in GtkScrollbar (Eclipse:161637): Gtk-CRITICAL **: 14:36:47.457: gtk_box_gadget_distribute: assertion 'size >= 0' failed in GtkScrollbar (Eclipse:161637): Gtk-CRITICAL **: 14:36:51.611: gtk_box_gadget_distribute: assertion 'size >= 0' failed in GtkScrollbar (Eclipse:161637): Gtk-CRITICAL **: 14:36:51.697: gtk_box_gadget_distribute: assertion 'size >= 0' failed in GtkScrollbar (Eclipse:161637): Gtk-CRITICAL **: 14:36:51.744: gtk_box_gadget_distribute: assertion 'size >= 0' failed in GtkScrollbar (Eclipse:161637): Gtk-CRITICAL **: 14:36:51.791: gtk_box_gadget_distribute: assertion 'size >= 0' failed in GtkScrollbar (Eclipse:161637): Gtk-CRITICAL **: 14:36:51.836: gtk_box_gadget_distribute: assertion 'size >= 0' failed in GtkScrollbar 2025-07-22 14:37:14.941:INFO::Start Help Server: Logging initialized @959828ms to org.eclipse.jetty.util.log.StdErrLog 2025-07-22 14:37:15.150:INFO:oejs.session:Start Help Server: DefaultSessionIdManager workerName=node0 2025-07-22 14:37:15.151:INFO:oejs.session:Start Help Server: No SessionScavenger set, using defaults 2025-07-22 14:37:15.151:INFO:oejs.session:Start Help Server: node0 Scavenging every 600000ms 2025-07-22 14:37:15.182:INFO:oejs.session:Start Help Server: node0 Scavenging every 660000ms

最新推荐

recommend-type

机器人开发教程-ROS 进行 SLAM 建图和机器人运动控制

机器人开发教程——ROS 进行 SLAM 建图和机器人运动控制 环境准备 确保你的开发环境已安装 ROS Noetic 或更高版本,并且安装了适用于 ROS 的 SLAM 和 Moveit2.0 软件包。 创建工作空间和包 mkdir -p ~/catkin_ws/src cd ~/catkin_ws/src catkin_create_pkg my_slam_package std_msgs rospy roscpp cd ~/catkin_ws catkin_make source devel/setup.bash 启动 SLAM 算法 roslaunch my_slam_package slam.launch 保存地图 rosrun map_server map_saver -f my_map 读取地图 在 my_slam_package/launch 目录下创建 map.launch 文件: <launch> <node name="map_server" pkg="map_server" type="map_server" args="my_map.yaml"/> </launch> 启动地图服务器 roslaunch my_slam_package map.launch 控制机器人运动 使用 teleop_twist_keyboard 包控制机器人运动: rosrun teleop_twist_keyboard teleop_twist_keyboard.py 注意事项 确保激光雷达数据正确发布到 /scan 话题。 根据实际机器人调整 SLAM 参数。 在 RViz 中查看地图和机器人位置。
recommend-type

软件设计师04-17年真题及模拟卷精编解析

知识点: 1. 软考概述:软件设计师是计算机技术与软件专业技术资格(水平)考试(软考)的一种职业资格,主要针对从事软件设计的人员。通过考试的人员可以获得国家认可的专业技术资格证书。 2. 软考真题的重要性:对于准备参加软考的考生来说,真题是非常重要的复习资料。通过分析和练习历年真题,可以帮助考生熟悉考试的题型、考试的难度以及出题的规律。这不仅可以提高答题的速度和准确率,同时也能帮助考生对考试有更深入的了解。 3. 软件设计师考试的科目和结构:软件设计师考试分为两个科目,分别是上午科目(知识水平)和下午科目(应用技能)。上午科目的考试内容主要包括软件工程、数据结构、计算机网络、操作系统等基础知识。下午科目则侧重考察考生的软件设计能力,包括数据库设计、系统架构设计、算法设计等。 4. 历年真题的应用:考生可以通过历年的真题来进行自我测试,了解自己的薄弱环节,并针对这些环节进行重点复习。同时,模拟考试的环境可以帮助考生适应考试的氛围,减少考试焦虑,提高应试能力。 5. 模拟卷的作用:除了历年的真题外,模拟卷也是复习中不可或缺的一部分。模拟卷可以模拟实际考试的情况,帮助考生熟悉考试的时间安排和题量分布。通过模拟考试,考生可以检验自己的复习效果,查漏补缺,进一步巩固知识点。 6. 软考复习策略:在复习软件设计师真题时,应该制定合理的复习计划,合理分配时间,全面覆盖所有知识点。同时要注重理论与实践相结合,理解概念的同时要注重实际应用。考生还可以参加一些线上或线下的辅导班,与老师和同学进行交流,解决在复习中遇到的问题。 7. 考试报名及注意事项:考生需要在规定的时间内通过官方网站或者授权的培训机构进行报名。在报名时要注意个人信息的准确性,并在考试前了解具体的考试时间和地点。考生应提前准备考试所需的证件和文具,确保能够顺利参加考试。 8. 软考后的职业发展:通过软考获得专业技术资格证书后,对于软件设计师职业发展有一定的帮助。在求职、晋升以及职称评定等方面,具有国家认可的资格证书往往会增加一定的优势。同时,获得证书也是对个人技术能力的一种肯定,有助于提升个人在行业内的竞争力。 通过以上内容的介绍,可以看出软件设计师真题是备考软考的重要工具,它能够帮助考生全面了解考试结构和内容,检验学习效果,为成功通过软考做好充分准备。对于软件设计师这一职业来说,真题的研究与分析,不仅可以提高考试通过率,也对个人的专业成长有着重要的意义。
recommend-type

QMCA开源在容器化中的实践:Docker与Kubernetes集成秘籍

# 摘要 本文主要介绍了容器化技术在现代软件开发和部署中的重要性,特别是Docker和Kubernetes的技术细节与应用。文章首先概述了容器化技术的概况和QMCA开源项目。随后深入探讨Docker容器技术,涵盖了安装配置、镜像管理、网络和数据管理、以及高级功能的实践。接着,本文转向Kubernetes的基础知识和集群管理,包括架构组件、
recommend-type

CAD切地形剖面图

<think>好的,我现在需要帮用户解决如何在CAD中绘制或生成地形剖面图的问题。首先,用户提到了几个引用来源,我需要仔细看看这些引用里有什么有用的信息,然后结合自己的知识来整理步骤。 引用[1]提到使用【图新地球桌面端】的【提取剖面线】功能,生成高程值后用CAD命令绘制。这应该是一个专门软件辅助生成数据,再导入CAD的方法。步骤可能包括提取地形数据,生成CAD命令,然后在CAD中执行这些命令。 引用[2]说CAD绘制剖面图的步骤是先有线条,然后处理。用户可能想知道如何在CAD内部直接操作,比如画线后如何生成剖面。可能需要结合高程数据,或者使用插件。 引用[3]提到AutoCAD Civ
recommend-type

中级Java开发必学:龙果学院Java多线程并发编程教程

标题“Java多线程知识,龙果学院”与描述“Java多线程知识,龙果学院,适合中级Java开发,分小节讲解”向我们明确指出了该资料的主要内容和适用对象。本篇内容将围绕Java多线程及其并发编程展开,提供给中级Java开发者系统性的学习指导。 ### 知识点一:Java多线程基础 - **线程概念**:多线程是指从软件或者硬件上实现多个线程并发执行的技术,每个线程可以处理不同的任务,提高程序的执行效率。 - **Java中的线程**:Java通过Thread类和Runnable接口实现线程。创建线程有两种方式:继承Thread类和实现Runnable接口。 - **线程状态**:Java线程在生命周期中会经历新建(New)、就绪(Runnable)、运行(Running)、阻塞(Blocked)和死亡(Terminated)这几个状态。 - **线程方法**:包括启动线程的start()方法、中断线程的interrupt()方法、线程暂停的sleep()方法等。 ### 知识点二:线程同步机制 - **同步问题**:在多线程环境中,共享资源的安全访问需要通过线程同步来保障,否则会发生数据竞争和条件竞争等问题。 - **同步代码块**:使用synchronized关键字来定义同步代码块,确保同一时刻只有一个线程可以执行该代码块内的代码。 - **同步方法**:在方法声明中加入synchronized关键字,使得方法在调用时是同步的。 - **锁**:在Java中,每个对象都有一把锁,synchronized实质上是通过获取对象的锁来实现线程的同步。 - **死锁**:多个线程相互等待对方释放锁而导致程序无法继续运行的情况,需要通过合理设计避免。 ### 知识点三:线程间通信 - **等待/通知机制**:通过Object类中的wait()、notify()和notifyAll()方法实现线程间的协调和通信。 - **生产者-消费者问题**:是线程间通信的经典问题,涉及如何在生产者和消费者之间有效地传递数据。 - **等待集(wait set)**:当线程调用wait()方法时,它进入与之相关联对象的等待集。 - **条件变量**:Java 5引入了java.util.concurrent包中的Condition接口,提供了比Object的wait/notify更为强大的线程协作机制。 ### 知识点四:并发工具类 - **CountDownLatch**:允许一个或多个线程等待其他线程完成操作。 - **CyclicBarrier**:让一组线程到达一个屏障点后互相等待,直到所有线程都到达后才继续执行。 - **Semaphore**:信号量,用于控制同时访问特定资源的线程数量。 - **Phaser**:一种可以动态调整的同步屏障,类似于CyclicBarrier,但是更加灵活。 ### 知识点五:并发集合和原子变量 - **并发集合**:java.util.concurrent包下提供的一系列线程安全的集合类,例如ConcurrentHashMap、CopyOnWriteArrayList等。 - **原子变量**:如AtomicInteger、AtomicLong等,提供了无锁的线程安全操作,使用了CAS(Compare-And-Swap)技术。 - **锁框架**:如ReentrantLock、ReadWriteLock等,提供了比内置锁更为灵活和强大的锁机制。 ### 知识点六:线程池的使用 - **线程池概念**:线程池是一种多线程处理形式,它预先创建若干数量的线程,将线程置于一个池中管理,避免在使用线程时创建和销毁线程的开销。 - **线程池优势**:重用线程池中的线程,减少创建和销毁线程的开销;有效控制最大并发数;提供定时执行、周期性执行、单线程、并发数控制等功能。 - **线程池的参数**:核心线程数、最大线程数、存活时间、队列大小等参数决定了线程池的行为。 - **线程池的实现**:通过Executors类创建线程池,也可以通过ThreadPoolExecutor直接实例化一个线程池。 ### 知识点七:Java 8并发新特性 - **Stream API**:Java 8引入的Stream API在并行处理数据时非常有用,可以轻松将串行处理转换为并行处理。 - **CompletableFuture**:实现了Future和CompletionStage接口,用于异步编程,简化了线程操作并提供了更细粒度的控制。 - **Lambda表达式**:简化了使用匿名内部类实现事件监听器、比较器等场景,从而间接提升了并发编程的效率。 以上知识点覆盖了Java多线程和并发编程的基本概念、同步机制、线程间通信、并发工具类、原子变量、线程池的使用以及Java 8的新特性等核心内容。对于中级Java开发者而言,这些内容既全面又系统,有助于深入理解并应用Java多线程技术,设计出高效、稳定的应用程序。
recommend-type

QMCA开源版本控制指南:提升代码管理与团队协作效率的策略

# 摘要 本文全面介绍了QMCA开源版本控制系统的相关知识和应用。首先,概述了QMCA的基础知识和代码管理中的基本操作与功能。随后,重点探讨了QMCA在代码合并、分支管理、审核及问题追踪中的优势与应用。接着,分析了QMCA在团队协作中的权限管理、项目管理以
recommend-type

CAD技术标准

<think>好的,用户想了解CAD相关的技术标准规范。首先,我需要明确用户的需求,他们可能是在工程设计、制造或建筑领域工作,需要遵循特定的标准来确保图纸的兼容性和质量。 我应该先回忆常见的CAD技术标准,比如国际标准ISO和ANSI,还有国家层面的标准如中国的GB/T。这些标准通常涵盖文件格式、图层管理、尺寸标注等方面。比如,ISO 128规定了工程制图的基本规则,而GB/T 18229可能与CAD文件管理有关。 接下来,用户可能需要具体的标准编号和内容。例如,文件格式方面,DXF和DWG是常见的,由Autodesk制定,但ISO也有STEP标准(ISO 10303)。图层管理方面,不同
recommend-type

快速自定义安装RabbitMQ及Erlang脚本指南

### RabbitMQ快速安装自定义脚本知识点说明 #### 标题:rabbitmq快速安装自定义脚本 这个标题指出了脚本的主要功能——实现RabbitMQ的快速安装。脚本的开发目的是为了简化安装过程,让使用者不需要深入了解RabbitMQ安装过程中的各种配置细节。此外,标题还暗示了该脚本是为用户量身定制的,意味着它可能包含特定的安装选项或配置,以满足不同的安装需求。 #### 描述:该资源是自定义的脚本快速安装erlang19.3+rabbitmq3.6,将rabbitmq的安装配置、开机自启动等繁杂操作写成自定义脚本,rabbitmq安装位置:/usr/local/rabbitmq,erlang安装位置:/usr/local/erlang 在描述中提到了几个关键的知识点,分别是: 1. **Erlang版本**:脚本支持安装的Erlang版本为19.3。Erlang是一种编程语言,它的运行时系统被广泛用于需要高并发处理的场景,而这正是构建消息队列系统的核心需求。RabbitMQ就是用Erlang编写的,因此在安装RabbitMQ之前,必须先安装Erlang。 2. **RabbitMQ版本**:脚本同时支持安装的RabbitMQ版本为3.6。这个版本是RabbitMQ的稳定版本,提供了丰富的特性和性能改进。 3. **自定义脚本**:脚本集成了RabbitMQ的安装和配置步骤,使得用户能够快速地完成安装并且不需要手动配置系统文件。 4. **安装位置**:脚本指定了RabbitMQ和Erlang的安装路径,分别是`/usr/local/rabbitmq`和`/usr/local/erlang`。这表明脚本能够直接将RabbitMQ和Erlang安装在指定目录,简化了用户的操作。 5. **开机自启动**:脚本还负责配置RabbitMQ服务的开机自启动,这是在生产环境中非常实用的一个功能,可以确保消息队列服务在系统重启后能够自动运行。 #### 标签:rabbitmq安装 标签强调了脚本的主要用途——安装RabbitMQ。由于RabbitMQ的安装和配置过程相对复杂,尤其是涉及到依赖包的安装和环境变量的配置,所以使用标签化的安装脚本可以大大减少安装所需时间和可能出现的错误。 #### 压缩包子文件的文件名称列表:installrbmq_sh 文件名称`installrbmq_sh`表明了这个脚本的用途,即安装RabbitMQ,文件扩展名`.sh`表明这是一个shell脚本文件。在Unix-like系统中,shell脚本是自动化任务的常用方法,能够通过一行行命令的执行,实现复杂的安装和配置过程。 #### 结语 从给定的文件信息中,我们可以了解到RabbitMQ的安装不仅仅依赖于一个单一的脚本文件,还可能涉及对Erlang语言环境的依赖。RabbitMQ快速安装自定义脚本将安装、配置以及开机自启动等步骤进行了整合,使得安装过程更加简洁、高效。这个脚本将作为在生产环境中部署RabbitMQ的重要工具,通过自动化的方式大大减少了部署时间,并可能降低因手动配置不当而带来的错误风险。使用这样的自定义脚本,不仅提高了工作效率,还保证了RabbitMQ的稳定运行和可管理性。在实际工作中,为了确保安装过程的顺利进行,需要确保脚本文件的安全性,避免执行未经验证的脚本,这可能引起系统安全风险。
recommend-type

QMCA开源与大数据整合手册:数据处理与整合最佳实践

# 摘要 本文全面介绍了QMCA这一开源工具的功能概览及其在大数据处理中的应用。首先,文章阐述了大数据的基本理论、定义、核心特征以及技术栈,包括存储、计算框架和数据库技术。接着,通过分析QMCA的安装、配置、数据整合功能和优化策略,展示了如何将QMCA应用于数据处理。文中进一步通过案例研究,探讨了QMCA在实时和大规模数据分析中的实际应用,以及其在部署和管理大数据应用时的作用。最后,文章讨论
recommend-type

Byte—SORT算法

<think>好的,我现在需要回答用户关于Byte-SORT算法的实现原理和数据结构的问题。首先,我得弄清楚Byte-SORT是什么。根据名称中的“SORT”,应该是一种排序算法。而“Byte”可能指的是按字节处理数据,或者是基于字节比较的排序方法。 接下来,我应该回忆一下常见的排序算法,比如快速排序、归并排序、基数排序等。其中,基数排序(Radix Sort)通常按照数据的各个位数或字节来进行排序,这可能与Byte-SORT有关。用户提到的引用[4]中提到了Flink的内存管理和缓存友好的数据结构,可能涉及到高效的内存访问模式,这可能与Byte-SORT的实现有关联。 然后,我需要验证这